From ebcdf4a09f1d96f8ad1a608c9240f6a782bac058 Mon Sep 17 00:00:00 2001 From: jason301c Date: Sat, 25 Jan 2025 23:26:30 +1100 Subject: [PATCH 01/23] refactor: Rename `industry` to `studyFields` and update related types and logic --- frontend/src/app/api/fetchJobs.ts | 8 ++++++++ frontend/src/context/jobs/filter-context.tsx | 2 +- frontend/src/lib/parse-url-filters.ts | 2 +- frontend/src/types/filters.ts | 8 ++++++-- 4 files changed, 16 insertions(+), 4 deletions(-) diff --git a/frontend/src/app/api/fetchJobs.ts b/frontend/src/app/api/fetchJobs.ts index 27e025e..3dff096 100644 --- a/frontend/src/app/api/fetchJobs.ts +++ b/frontend/src/app/api/fetchJobs.ts @@ -1,6 +1,14 @@ import { Job } from "@/types/job"; import { JobFilters } from "@/types/filters"; +/** + * This function would handle fetching jobs from the API and type conversion + * Filters supported: @see JobFilters + * + * + * @param filters - Filters to apply to the job search + * @returns - A list of jobs and the total number of jobs + */ export async function fetchJobs( // eslint-disable-next-line @typescript-eslint/no-unused-vars filters: Partial, diff --git a/frontend/src/context/jobs/filter-context.tsx b/frontend/src/context/jobs/filter-context.tsx index e825740..51e5e72 100644 --- a/frontend/src/context/jobs/filter-context.tsx +++ b/frontend/src/context/jobs/filter-context.tsx @@ -19,7 +19,7 @@ interface FilterContextType { export const initialState: FilterState = { filters: { search: "", - industry: [], + studyFields: [], jobTypes: [], locations: [], workingRights: [], diff --git a/frontend/src/lib/parse-url-filters.ts b/frontend/src/lib/parse-url-filters.ts index 2964981..f89b792 100644 --- a/frontend/src/lib/parse-url-filters.ts +++ b/frontend/src/lib/parse-url-filters.ts @@ -6,7 +6,7 @@ export function parseUrlFilters( ): JobFilters { return { search: searchParams.get("search") || "", - industry: searchParams.getAll("studyFields"), + studyFields: searchParams.getAll("studyFields"), jobTypes: searchParams.getAll("jobTypes"), locations: searchParams.getAll("locations"), workingRights: searchParams.getAll("workingRights"), diff --git a/frontend/src/types/filters.ts b/frontend/src/types/filters.ts index 8679889..b7bd8b1 100644 --- a/frontend/src/types/filters.ts +++ b/frontend/src/types/filters.ts @@ -1,12 +1,16 @@ // frontend/src/types/filters.ts + +/** + * JobFilters is a type that represents the filters that can be applied to the job search + */ export interface JobFilters { search: string; - industry: string[]; + studyFields: string[]; jobTypes: string[]; locations: string[]; workingRights: string[]; page: number; - sortBy: "recent" | "relevant"; + sortBy: 0 | 1; // recent = 0, relevant = 1 } // These are commonly used filter options that will be used across components From d2f28e87f9d704860e9436682c7ae07acdb3ccdc Mon Sep 17 00:00:00 2001 From: jason301c Date: Sat, 25 Jan 2025 23:31:02 +1100 Subject: [PATCH 02/23] refactor: update JobFilters type and constants with stricter typing --- frontend/src/app/api/fetchJobs.ts | 7 +------ frontend/src/types/filters.ts | 31 ++++++++++++++++++++----------- 2 files changed, 21 insertions(+), 17 deletions(-) diff --git a/frontend/src/app/api/fetchJobs.ts b/frontend/src/app/api/fetchJobs.ts index 3dff096..f060884 100644 --- a/frontend/src/app/api/fetchJobs.ts +++ b/frontend/src/app/api/fetchJobs.ts @@ -3,16 +3,11 @@ import { JobFilters } from "@/types/filters"; /** * This function would handle fetching jobs from the API and type conversion - * Filters supported: @see JobFilters * - * * @param filters - Filters to apply to the job search * @returns - A list of jobs and the total number of jobs */ -export async function fetchJobs( - // eslint-disable-next-line @typescript-eslint/no-unused-vars - filters: Partial, -): Promise<{ jobs: Job[]; total: number }> { +export async function fetchJobs(filters: Partial): Promise<{ jobs: Job[]; total: number }> { try { // TODO: Implement actual API call // For now return mock data diff --git a/frontend/src/types/filters.ts b/frontend/src/types/filters.ts index b7bd8b1..8e64a2b 100644 --- a/frontend/src/types/filters.ts +++ b/frontend/src/types/filters.ts @@ -1,37 +1,46 @@ // frontend/src/types/filters.ts +type StudyField = "Computer Science" | "Software Engineering" | "Information Technology" | "Business" | "Engineering"; +type JobType = "Full-time" | "Part-time" | "Internship" | "Graduate Program"; +type WorkingRight = "Australian Citizen" | "Permanent Resident" | "Student Visa" | "Working Holiday"; + /** * JobFilters is a type that represents the filters that can be applied to the job search */ export interface JobFilters { search: string; - studyFields: string[]; - jobTypes: string[]; + studyFields: StudyField[]; + jobTypes: JobType[]; locations: string[]; - workingRights: string[]; + workingRights: WorkingRight[]; page: number; - sortBy: 0 | 1; // recent = 0, relevant = 1 + sortBy: SortBy; +} + +export enum SortBy { + RECENT = "recent", + RELEVANT = "relevant", } // These are commonly used filter options that will be used across components -export const STUDY_FIELDS = [ +export const STUDY_FIELDS: readonly StudyField[] = [ "Computer Science", - "Software Engineering", + "Software Engineering", "Information Technology", "Business", "Engineering", -]; +] as const; -export const JOB_TYPES = [ +export const JOB_TYPES: readonly JobType[] = [ "Full-time", "Part-time", "Internship", "Graduate Program", -]; +] as const; -export const WORKING_RIGHTS = [ +export const WORKING_RIGHTS: readonly WorkingRight[] = [ "Australian Citizen", "Permanent Resident", "Student Visa", "Working Holiday", -]; +] as const; From 7ca5b8dafa7d1b24f1d73569b5a7f5d96b6e852a Mon Sep 17 00:00:00 2001 From: jason301c Date: Sat, 25 Jan 2025 23:32:52 +1100 Subject: [PATCH 03/23] refactor: update job and filter types with new enums and interfaces --- frontend/src/types/filters.ts | 44 +++++++++++++++++++++-------------- frontend/src/types/job.ts | 26 ++++++++++++++------- 2 files changed, 43 insertions(+), 27 deletions(-) diff --git a/frontend/src/types/filters.ts b/frontend/src/types/filters.ts index 8e64a2b..f6d4fc1 100644 --- a/frontend/src/types/filters.ts +++ b/frontend/src/types/filters.ts @@ -1,8 +1,5 @@ // frontend/src/types/filters.ts - -type StudyField = "Computer Science" | "Software Engineering" | "Information Technology" | "Business" | "Engineering"; -type JobType = "Full-time" | "Part-time" | "Internship" | "Graduate Program"; -type WorkingRight = "Australian Citizen" | "Permanent Resident" | "Student Visa" | "Working Holiday"; +import { JobType, StudyField, LocationType, WorkingRight } from "./job"; /** * JobFilters is a type that represents the filters that can be applied to the job search @@ -11,7 +8,7 @@ export interface JobFilters { search: string; studyFields: StudyField[]; jobTypes: JobType[]; - locations: string[]; + locations: LocationType[]; workingRights: WorkingRight[]; page: number; sortBy: SortBy; @@ -24,23 +21,34 @@ export enum SortBy { // These are commonly used filter options that will be used across components export const STUDY_FIELDS: readonly StudyField[] = [ - "Computer Science", - "Software Engineering", - "Information Technology", - "Business", - "Engineering", + "SOFTWARE", + "CYBERSECURITY", + "DATA_SCIENCE", ] as const; export const JOB_TYPES: readonly JobType[] = [ - "Full-time", - "Part-time", - "Internship", - "Graduate Program", + "EOI", + "FIRST_YEAR", + "INTERN", + "GRADUATE", ] as const; export const WORKING_RIGHTS: readonly WorkingRight[] = [ - "Australian Citizen", - "Permanent Resident", - "Student Visa", - "Working Holiday", + "AUS_CITIZEN", + "AUS_PR", + "NZ_CITIZEN", + "NZ_PR", + "INTERNATIONAL", +] as const; + +export const LOCATIONS: readonly LocationType[] = [ + "VIC", + "NSW", + "QLD", + "WA", + "NT", + "SA", + "HYBRID", + "REMOTE", + "AUSTRALIA", ] as const; diff --git a/frontend/src/types/job.ts b/frontend/src/types/job.ts index 459b585..b0765a5 100644 --- a/frontend/src/types/job.ts +++ b/frontend/src/types/job.ts @@ -1,19 +1,27 @@ // frontend/src/types/job.ts +export type JobType = "EOI" | "FIRST_YEAR" | "INTERN" | "GRADUATE"; +export type StudyField = "SOFTWARE" | "CYBERSECURITY" | "DATA_SCIENCE"; +export type LocationType = "VIC" | "NSW" | "QLD" | "WA" | "NT" | "SA" | "HYBRID" | "REMOTE" | "AUSTRALIA"; +export type WorkingRight = "AUS_CITIZEN" | "AUS_PR" | "NZ_CITIZEN" | "NZ_PR" | "INTERNATIONAL"; + +export interface Company { + name: string; + website: string; +} + export interface Job { id: string; title: string; - company: { - name: string; - website: string; - }; description: string; - type: string; - locations: string[]; - studyFields: string[]; - workingRights: string[]; + company: Company; applicationUrl: string; - closeDate: string; + sourceUrls: string[]; + type: JobType; + closeDate?: string; + locations: LocationType[]; + studyFields: StudyField[]; startDate: string; + workingRights: WorkingRight[]; createdAt: string; updatedAt: string; } From f086509e2d04bd9c496714145359051aa4059571 Mon Sep 17 00:00:00 2001 From: jason301c Date: Sat, 25 Jan 2025 23:51:28 +1100 Subject: [PATCH 04/23] refactor: Move fetchJobs.ts from app/api to lib directory --- frontend/src/{app/api => lib}/fetchJobs.ts | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename frontend/src/{app/api => lib}/fetchJobs.ts (100%) diff --git a/frontend/src/app/api/fetchJobs.ts b/frontend/src/lib/fetchJobs.ts similarity index 100% rename from frontend/src/app/api/fetchJobs.ts rename to frontend/src/lib/fetchJobs.ts From ddfc6b27e6d94a6e9f52adc6a1e3ac1e5e9d9d8e Mon Sep 17 00:00:00 2001 From: jason301c Date: Sat, 25 Jan 2025 23:52:14 +1100 Subject: [PATCH 05/23] refactor: Rename fetchJobs file to fetch-jobs for consistency --- frontend/src/app/jobs/page.tsx | 2 +- frontend/src/lib/{fetchJobs.ts => fetch-jobs.ts} | 0 2 files changed, 1 insertion(+), 1 deletion(-) rename frontend/src/lib/{fetchJobs.ts => fetch-jobs.ts} (100%) diff --git a/frontend/src/app/jobs/page.tsx b/frontend/src/app/jobs/page.tsx index bab540e..9f62078 100644 --- a/frontend/src/app/jobs/page.tsx +++ b/frontend/src/app/jobs/page.tsx @@ -3,7 +3,7 @@ import FilterSection from "@/components/jobs/filters/filter-section"; import JobList from "@/components/jobs/details/job-list"; import JobDetails from "@/components/jobs/details/job-details"; import { Title } from "@mantine/core"; -import { fetchJobs } from "@/app/api/fetchJobs"; +import { fetchJobs } from "@/lib/fetch-jobs"; import { JobFilters } from "@/types/filters"; export default async function JobsPage({ diff --git a/frontend/src/lib/fetchJobs.ts b/frontend/src/lib/fetch-jobs.ts similarity index 100% rename from frontend/src/lib/fetchJobs.ts rename to frontend/src/lib/fetch-jobs.ts From cd30d75d7d0d611a04543a6fe11589fc21dab11c Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:23:03 +1100 Subject: [PATCH 06/23] docs: Add API documentation for GET /api/jobs endpoint --- frontend/src/app/api/jobs/route.ts | 35 ++++++++++++++++++++++++++++++ 1 file changed, 35 insertions(+) diff --git a/frontend/src/app/api/jobs/route.ts b/frontend/src/app/api/jobs/route.ts index 5559958..a336d8e 100644 --- a/frontend/src/app/api/jobs/route.ts +++ b/frontend/src/app/api/jobs/route.ts @@ -1,6 +1,41 @@ import { NextResponse } from "next/server"; import { MongoClient } from "mongodb"; +/** + * @api {get} /api/jobs Get Job Listings + * @apiName GetJobs + * @apiGroup Jobs + * @apiDescription Fetches job listings from the database with optional filtering and pagination + * + * @apiQuery {Number} [offset] Number of records to skip (for pagination) + * @apiQuery {Number} [limit] Maximum number of records to return (for pagination) + * @apiQuery {Boolean} [outdated=false] Include outdated job listings (default: false) + * @apiQuery {String} [working_rights] Comma-separated list of working rights to filter by + * @apiQuery {String} [types] Comma-separated list of job types to filter by + * @apiQuery {String} [industry_fields] Comma-separated list of industry fields to filter by + * @apiQuery {String} [keyword] Search keyword to match against job titles or company names + * + * @apiSuccess {Object[]} jobs Array of job listings + * @apiSuccess {String} jobs._id Job ID + * @apiSuccess {String} jobs.title Job title + * @apiSuccess {String} jobs.description Job description + * @apiSuccess {Object} jobs.company Company information + * @apiSuccess {String} jobs.company.name Company name + * @apiSuccess {String} jobs.company.website Company website + * @apiSuccess {String} [jobs.company.logo] URL to company logo + * @apiSuccess {String} jobs.application_url URL to apply for the job + * @apiSuccess {String} jobs.type Job type (EOI, FIRST_YEAR, INTERN, GRADUATE) + * @apiSuccess {String[]} jobs.working_rights List of required working rights + * @apiSuccess {String[]} jobs.industry_fields List of relevant industry fields + * @apiSuccess {String} [jobs.close_date] Job closing date (if applicable) + * @apiSuccess {String[]} jobs.source_urls URLs where the job was sourced from + * @apiSuccess {Boolean} jobs.outdated Whether the job listing is outdated + * + * @apiError (500) InternalServerError Failed to fetch jobs from database + * + * @apiExample {curl} Example usage: + * curl -X GET "http://localhost:3000/api/jobs?offset=10&limit=20&types=INTERN,GRADUATE&keyword=engineer" + */ export async function GET(request: Request) { const { searchParams } = new URL(request.url); const offset = searchParams.get("offset") From 2f2857e18551e89275d9d41d7b0e510949b27b2a Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:25:59 +1100 Subject: [PATCH 07/23] feat: add pagination and dynamic filters to fetchJobs function --- frontend/src/lib/fetch-jobs.ts | 60 ++++++++++++++++++++-------------- 1 file changed, 35 insertions(+), 25 deletions(-) diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 7e9e552..7bcf720 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -1,50 +1,60 @@ import { Job } from "@/types/job"; -import { JobFilters } from "@/types/filters"; +import { JobFilters, SortBy } from "@/types/filters"; + +const PAGE_SIZE = 20; // Number of jobs per page /** - * This function would handle fetching jobs from the API and type conversion - * + * Fetches jobs from the API with applied filters and pagination + * * @param filters - Filters to apply to the job search - * @returns - A list of jobs and the total number of jobs + * @returns - A list of jobs and the total number of matching jobs */ export async function fetchJobs(filters: Partial): Promise<{ jobs: Job[]; total: number }> { try { - const url = new URL(window.location.href + "/api/jobs"); - // Add Offset. e.g. Only want listings after the first 10 - url.searchParams.set("offset", "10"); + const url = new URL("/api/jobs", window.location.origin); - // Add Offset. e.g. Only want api to return a max of 100 listings - url.searchParams.set("limit", "100"); + // Pagination + const page = filters.page || 1; + url.searchParams.set("offset", String((page - 1) * PAGE_SIZE)); + url.searchParams.set("limit", String(PAGE_SIZE)); - // By default the api will not return outdated listings, you can provide outdated = true to get outdated listings - url.searchParams.set("outdated", "false"); + // Filters + if (filters.search) { + url.searchParams.set("keyword", filters.search); + } - // Filter by working rights - url.searchParams.set( - "working_rights", - "aus_citizen,other_rights,visa_sponsored", - ); + if (filters.jobTypes?.length) { + url.searchParams.set("types", filters.jobTypes.join(",")); + } - // Filter by job types - url.searchParams.set("types", "graduate,intern"); + if (filters.studyFields?.length) { + url.searchParams.set("industry_fields", filters.studyFields.join(",")); + } - // Filter by industry fields - url.searchParams.set("industry_fields", "banks,tech"); + if (filters.workingRights?.length) { + url.searchParams.set("working_rights", filters.workingRights.join(",")); + } - // Search for keyword in job title or company name - url.searchParams.set("keyword", "developer"); + // Sorting + if (filters.sortBy === SortBy.RECENT) { + // API should sort by createdAt descending by default + } else if (filters.sortBy === SortBy.RELEVANT) { + // API should implement relevance scoring + } - // Handle Reponse const response = await fetch(url.toString()); - + if (!response.ok) { throw new Error(`HTTP error! status: ${response.status}`); } const data = await response.json(); + + // Note: The API currently doesn't return total count in the response + // You might want to modify the API to include X-Total-Count header return { jobs: data, - total: data.length, + total: data.length, // This is temporary - should be replaced with actual total count }; } catch (error) { console.error("Failed to fetch jobs:", error); From 2f45d37d3b267b4ec26c4b254c86798deb825850 Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:27:29 +1100 Subject: [PATCH 08/23] refactor: Update job and filter types with new fields and options --- frontend/src/types/filters.ts | 28 ++++++++++++++++++---------- frontend/src/types/job.ts | 24 ++++++++++++++---------- 2 files changed, 32 insertions(+), 20 deletions(-) diff --git a/frontend/src/types/filters.ts b/frontend/src/types/filters.ts index f6d4fc1..7046ae8 100644 --- a/frontend/src/types/filters.ts +++ b/frontend/src/types/filters.ts @@ -1,15 +1,15 @@ // frontend/src/types/filters.ts -import { JobType, StudyField, LocationType, WorkingRight } from "./job"; +import { JobType, LocationType, WorkingRight, IndustryField } from "./job"; /** * JobFilters is a type that represents the filters that can be applied to the job search */ export interface JobFilters { search: string; - studyFields: StudyField[]; jobTypes: JobType[]; locations: LocationType[]; workingRights: WorkingRight[]; + industryFields: IndustryField[]; page: number; sortBy: SortBy; } @@ -20,17 +20,12 @@ export enum SortBy { } // These are commonly used filter options that will be used across components -export const STUDY_FIELDS: readonly StudyField[] = [ - "SOFTWARE", - "CYBERSECURITY", - "DATA_SCIENCE", -] as const; - export const JOB_TYPES: readonly JobType[] = [ "EOI", "FIRST_YEAR", "INTERN", "GRADUATE", + "OTHER", ] as const; export const WORKING_RIGHTS: readonly WorkingRight[] = [ @@ -39,6 +34,9 @@ export const WORKING_RIGHTS: readonly WorkingRight[] = [ "NZ_CITIZEN", "NZ_PR", "INTERNATIONAL", + "WORK_VISA", + "VISA_SPONSORED", + "OTHER_RIGHTS", ] as const; export const LOCATIONS: readonly LocationType[] = [ @@ -48,7 +46,17 @@ export const LOCATIONS: readonly LocationType[] = [ "WA", "NT", "SA", - "HYBRID", - "REMOTE", + "ACT", + "TAS", "AUSTRALIA", + "OTHERS", +] as const; + +export const INDUSTRY_FIELDS: readonly IndustryField[] = [ + "CONSULTING", + "BANKS", + "BIG_TECH", + "TECH", + "QUANT_TRADING", + "OTHER_INDUSTRY", ] as const; diff --git a/frontend/src/types/job.ts b/frontend/src/types/job.ts index b0765a5..12b1b95 100644 --- a/frontend/src/types/job.ts +++ b/frontend/src/types/job.ts @@ -1,26 +1,30 @@ // frontend/src/types/job.ts -export type JobType = "EOI" | "FIRST_YEAR" | "INTERN" | "GRADUATE"; -export type StudyField = "SOFTWARE" | "CYBERSECURITY" | "DATA_SCIENCE"; -export type LocationType = "VIC" | "NSW" | "QLD" | "WA" | "NT" | "SA" | "HYBRID" | "REMOTE" | "AUSTRALIA"; -export type WorkingRight = "AUS_CITIZEN" | "AUS_PR" | "NZ_CITIZEN" | "NZ_PR" | "INTERNATIONAL"; +export type JobType = "EOI" | "FIRST_YEAR" | "INTERN" | "GRADUATE" | "OTHER"; +export type LocationType = "VIC" | "NSW" | "QLD" | "WA" | "NT" | "SA" | "ACT" | "TAS" | "AUSTRALIA" | "OTHERS"; +export type WFHStatus = "HYBRID" | "REMOTE" | "OFFICE"; +export type WorkingRight = "AUS_CITIZEN" | "AUS_PR" | "NZ_CITIZEN" | "NZ_PR" | "INTERNATIONAL" | "WORK_VISA" | "VISA_SPONSORED" | "OTHER_RIGHTS"; +export type IndustryField = "CONSULTING" | "BANKS" | "BIG_TECH" | "TECH" | "QUANT_TRADING" | "OTHER_INDUSTRY"; export interface Company { name: string; - website: string; + website?: string; + logo?: string; } export interface Job { id: string; title: string; - description: string; + description?: string; company: Company; - applicationUrl: string; + applicationUrl?: string; + wfhStatus?: WFHStatus; sourceUrls: string[]; - type: JobType; + type?: JobType; + openDate?: string; closeDate?: string; locations: LocationType[]; - studyFields: StudyField[]; - startDate: string; + studyFields: string[]; + industryField: IndustryField; workingRights: WorkingRight[]; createdAt: string; updatedAt: string; From df18b07807c09e6973392f1d8b1cbe7ef068bbc3 Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:35:48 +1100 Subject: [PATCH 09/23] feat: Add total job count to API response and update fetchJobs interface --- frontend/src/app/api/jobs/route.ts | 7 +++++-- frontend/src/lib/fetch-jobs.ts | 20 ++++++++++++-------- 2 files changed, 17 insertions(+), 10 deletions(-) diff --git a/frontend/src/app/api/jobs/route.ts b/frontend/src/app/api/jobs/route.ts index a336d8e..e43f92c 100644 --- a/frontend/src/app/api/jobs/route.ts +++ b/frontend/src/app/api/jobs/route.ts @@ -125,9 +125,12 @@ export async function GET(request: Request) { cursor = cursor.limit(limit); } - const allData = await cursor.toArray(); + // Get total count before applying limit + const total = await collection.countDocuments(query); + + const jobs = await cursor.toArray(); - return NextResponse.json(allData, { + return NextResponse.json({ jobs, total }, { headers: { "Content-Type": "application/json" }, }); } catch (error) { diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 7bcf720..8244278 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -1,6 +1,11 @@ import { Job } from "@/types/job"; import { JobFilters, SortBy } from "@/types/filters"; +export interface JobsApiResponse { + jobs: Job[]; + total: number; +} + const PAGE_SIZE = 20; // Number of jobs per page /** @@ -9,7 +14,7 @@ const PAGE_SIZE = 20; // Number of jobs per page * @param filters - Filters to apply to the job search * @returns - A list of jobs and the total number of matching jobs */ -export async function fetchJobs(filters: Partial): Promise<{ jobs: Job[]; total: number }> { +export async function fetchJobs(filters: Partial): Promise { try { const url = new URL("/api/jobs", window.location.origin); @@ -27,14 +32,15 @@ export async function fetchJobs(filters: Partial): Promise<{ jobs: J url.searchParams.set("types", filters.jobTypes.join(",")); } - if (filters.studyFields?.length) { - url.searchParams.set("industry_fields", filters.studyFields.join(",")); + if (filters.industryFields?.length) { + url.searchParams.set("industry_fields", filters.industryFields.join(",")); } if (filters.workingRights?.length) { url.searchParams.set("working_rights", filters.workingRights.join(",")); } + // TODO: implement sorting // Sorting if (filters.sortBy === SortBy.RECENT) { // API should sort by createdAt descending by default @@ -48,13 +54,11 @@ export async function fetchJobs(filters: Partial): Promise<{ jobs: J throw new Error(`HTTP error! status: ${response.status}`); } - const data = await response.json(); + const { jobs, total } = await response.json() as JobsApiResponse; - // Note: The API currently doesn't return total count in the response - // You might want to modify the API to include X-Total-Count header return { - jobs: data, - total: data.length, // This is temporary - should be replaced with actual total count + jobs, + total }; } catch (error) { console.error("Failed to fetch jobs:", error); From 2c77cda4ec6f206a9a19316feb9951890c740e2f Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:48:32 +1100 Subject: [PATCH 10/23] refactor: Simplify job details component and improve error handling in jobs page --- frontend/src/app/jobs/page.tsx | 26 +++++++-- .../components/jobs/details/job-details.tsx | 55 +++++-------------- frontend/src/lib/fetch-jobs.ts | 4 +- 3 files changed, 38 insertions(+), 47 deletions(-) diff --git a/frontend/src/app/jobs/page.tsx b/frontend/src/app/jobs/page.tsx index 9f62078..2e1b000 100644 --- a/frontend/src/app/jobs/page.tsx +++ b/frontend/src/app/jobs/page.tsx @@ -5,6 +5,7 @@ import JobDetails from "@/components/jobs/details/job-details"; import { Title } from "@mantine/core"; import { fetchJobs } from "@/lib/fetch-jobs"; import { JobFilters } from "@/types/filters"; +import { Job } from "@/types/job"; export default async function JobsPage({ searchParams, @@ -12,11 +13,20 @@ export default async function JobsPage({ searchParams: Promise>; }) { const params = await searchParams; - await fetchJobs(params); + + // This try catch block can be removed once the app is stable + // The console.log is only visible on the server (React server component thing) + let testJobDetails: Job|null = null; + try { + const response = await fetchJobs(params); + testJobDetails = response.jobs[0]; + } catch (error) { + console.log("Failed to fetch jobs:", error); + } - const mockJobDetails = { + let mockJobDetails: Job = { id: "12345", - title: "Frontend Developer", + title: "Frontend Developer IF YOU ARE SEEING THIS, THE FETCH FAILED", company: { name: "Reserve Bank of Australiaaaaa", website: "https://techcorp.com", @@ -24,8 +34,10 @@ export default async function JobsPage({ }, description: '

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Deploy and configure business systems to meet client needs.
  • \r\n\t
  • Perform systems process mapping and conduct needs analysis sessions with clients.
  • \r\n\t
  • Ensure seamless integration with existing infrastructure and processes.
  • \r\n\t
  • Customize system settings to optimize performance and functionality.
  • \r\n\t
  • Ensure compliance with industry standards and best practices.
  • \r\n\t
  • Conduct thorough testing and validation of system implementations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A recent third-level qualification in a tech-focused discipline.
  • \r\n\t
  • A base-level understanding of system architecture and design principles.
  • \r\n\t
  • Exposure to database management and data integration techniques is a bonus.
  • \r\n\t
  • A willingness to learn and enthusiasm for digital trends.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, free weekly lunches, social events, flexible working options, and modern offices in the CBD.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring, coaching, and both internal and external training programs to enhance your career skills.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement as BlueRock Digital continues to grow, with the potential to take on more senior roles.

\r\n\r\n

Report this job

', - type: "Graduate", + type: "GRADUATE", locations: ["VIC", "NSW", "TAS", "OTHERS", "QLD"], + industryField: "BIG_TECH", + sourceUrls: ["https://www.seek.com.au/job/12345"], studyFields: ["IT & Computer Science", "Engineering & Mathematics"], workingRights: ["AUS_CITIZEN", "OTHER_RIGHTS"], applicationUrl: "https://careers.mcdonalds.com.au/", @@ -33,6 +45,10 @@ export default async function JobsPage({ createdAt: "2025-01-01T00:00:00Z", updatedAt: "2025-01-01T00:00:00Z", }; + if (testJobDetails) { + mockJobDetails = testJobDetails; + } + return (
@@ -48,7 +64,7 @@ export default async function JobsPage({ {/* Sticky Job Details - hidden on mobile, 70% on desktop */}
- +
diff --git a/frontend/src/components/jobs/details/job-details.tsx b/frontend/src/components/jobs/details/job-details.tsx index 0eb6930..bb5d0d8 100644 --- a/frontend/src/components/jobs/details/job-details.tsx +++ b/frontend/src/components/jobs/details/job-details.tsx @@ -21,24 +21,10 @@ import { IconBriefcase2, } from "@tabler/icons-react"; import DOMPurify from "isomorphic-dompurify"; +import { Job } from "@/types/job"; interface JobDetailsProps { - id: string; - title: string; - company: { - name: string; - website: string; - logo?: string; - }; - description: string; - type: string; - locations: string[]; - studyFields: string[]; - workingRights: string[]; - applicationUrl: string; - closeDate: string; - createdAt: string; - updatedAt: string; + job: Job; } function formatISODate(isoDate: string): string { @@ -55,22 +41,9 @@ function sanitizeHtml(html: string) { return DOMPurify.sanitize(html); } -export default function JobDetails({ - //id, - title, - company, - description, - type, - locations, - studyFields, - workingRights, - applicationUrl, - //closeDate, - createdAt, - //updatedAt, -}: JobDetailsProps) { +export default function JobDetails({job}: JobDetailsProps) { const handleApplyClick = () => { - window.open(applicationUrl, "_blank"); // Open link in a new tab + window.open(job.applicationUrl, "_blank"); // Open link in a new tab }; return ( @@ -89,8 +62,8 @@ export default function JobDetails({ {/* Logo and Company Name */} {company.name} - {company.name} + {job.company.name} @@ -123,7 +96,7 @@ export default function JobDetails({ {/* Job Title */} - {title} + {job.title} {/* Job Information section */} - {locations.map((location) => ( + {job.locations.map((location) => ( {location} @@ -158,11 +131,11 @@ export default function JobDetails({ /> {/* Post Date */} - Posted {formatISODate(createdAt)} + Posted {formatISODate(job.createdAt)} {/* Job Type */} - {type} + {job.type} @@ -204,7 +177,7 @@ export default function JobDetails({ >
@@ -227,7 +200,7 @@ export default function JobDetails({ - {studyFields.map((field) => ( + {job.studyFields.map((field) => ( {field} @@ -252,7 +225,7 @@ export default function JobDetails({ - {workingRights.map((rights) => ( + {job.workingRights.map((rights) => ( {rights} diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 8244278..80a892e 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -9,7 +9,9 @@ export interface JobsApiResponse { const PAGE_SIZE = 20; // Number of jobs per page /** - * Fetches jobs from the API with applied filters and pagination + * Fetches jobs from the API given a set of filters + * This should not be manually called, rather done through the JobsPage component + * See api/jobs/route.ts for the API implementation details * * @param filters - Filters to apply to the job search * @returns - A list of jobs and the total number of matching jobs From b73925611c10efd9002c52b98d4ec245ca71fc4c Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:52:33 +1100 Subject: [PATCH 11/23] refactor: Use environment variable for base URL in fetchJobs --- frontend/src/lib/fetch-jobs.ts | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 80a892e..5ea20a9 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -18,7 +18,8 @@ const PAGE_SIZE = 20; // Number of jobs per page */ export async function fetchJobs(filters: Partial): Promise { try { - const url = new URL("/api/jobs", window.location.origin); + const baseUrl = process.env.NEXT_PUBLIC_BASE_URL || "http://localhost:3000"; + const url = new URL("/api/jobs", baseUrl); // Pagination const page = filters.page || 1; From 455fb07b9b22d61c6a270540ffbe0891d08848d7 Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:54:12 +1100 Subject: [PATCH 12/23] fix: Add optional chaining to job details arrays to prevent runtime errors --- frontend/src/components/jobs/details/job-details.tsx | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/frontend/src/components/jobs/details/job-details.tsx b/frontend/src/components/jobs/details/job-details.tsx index bb5d0d8..163d3c8 100644 --- a/frontend/src/components/jobs/details/job-details.tsx +++ b/frontend/src/components/jobs/details/job-details.tsx @@ -114,7 +114,7 @@ export default function JobDetails({job}: JobDetailsProps) { {/* Locations */} - {job.locations.map((location) => ( + {job.locations?.map((location) => ( {location} @@ -200,7 +200,7 @@ export default function JobDetails({job}: JobDetailsProps) { - {job.studyFields.map((field) => ( + {job.studyFields?.map((field) => ( {field} @@ -225,7 +225,7 @@ export default function JobDetails({job}: JobDetailsProps) { - {job.workingRights.map((rights) => ( + {job.workingRights?.map((rights) => ( {rights} From d41adcb1987722185eb315d303201cc5814cc60b Mon Sep 17 00:00:00 2001 From: jason301c Date: Sun, 26 Jan 2025 00:54:56 +1100 Subject: [PATCH 13/23] chore: run prettier --- frontend/src/app/api/jobs/route.ts | 11 ++++--- frontend/src/app/jobs/page.tsx | 5 ++-- .../components/jobs/details/job-details.tsx | 2 +- frontend/src/lib/fetch-jobs.ts | 14 +++++---- frontend/src/types/job.ts | 30 +++++++++++++++++-- 5 files changed, 45 insertions(+), 17 deletions(-) diff --git a/frontend/src/app/api/jobs/route.ts b/frontend/src/app/api/jobs/route.ts index e43f92c..0f54236 100644 --- a/frontend/src/app/api/jobs/route.ts +++ b/frontend/src/app/api/jobs/route.ts @@ -127,12 +127,15 @@ export async function GET(request: Request) { // Get total count before applying limit const total = await collection.countDocuments(query); - + const jobs = await cursor.toArray(); - return NextResponse.json({ jobs, total }, { - headers: { "Content-Type": "application/json" }, - }); + return NextResponse.json( + { jobs, total }, + { + headers: { "Content-Type": "application/json" }, + }, + ); } catch (error) { console.error(error); return NextResponse.error(); diff --git a/frontend/src/app/jobs/page.tsx b/frontend/src/app/jobs/page.tsx index 2e1b000..33c5158 100644 --- a/frontend/src/app/jobs/page.tsx +++ b/frontend/src/app/jobs/page.tsx @@ -13,10 +13,10 @@ export default async function JobsPage({ searchParams: Promise>; }) { const params = await searchParams; - + // This try catch block can be removed once the app is stable // The console.log is only visible on the server (React server component thing) - let testJobDetails: Job|null = null; + let testJobDetails: Job | null = null; try { const response = await fetchJobs(params); testJobDetails = response.jobs[0]; @@ -48,7 +48,6 @@ export default async function JobsPage({ if (testJobDetails) { mockJobDetails = testJobDetails; } - return (
diff --git a/frontend/src/components/jobs/details/job-details.tsx b/frontend/src/components/jobs/details/job-details.tsx index 163d3c8..dd903da 100644 --- a/frontend/src/components/jobs/details/job-details.tsx +++ b/frontend/src/components/jobs/details/job-details.tsx @@ -41,7 +41,7 @@ function sanitizeHtml(html: string) { return DOMPurify.sanitize(html); } -export default function JobDetails({job}: JobDetailsProps) { +export default function JobDetails({ job }: JobDetailsProps) { const handleApplyClick = () => { window.open(job.applicationUrl, "_blank"); // Open link in a new tab }; diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 5ea20a9..046f1e9 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -12,11 +12,13 @@ const PAGE_SIZE = 20; // Number of jobs per page * Fetches jobs from the API given a set of filters * This should not be manually called, rather done through the JobsPage component * See api/jobs/route.ts for the API implementation details - * + * * @param filters - Filters to apply to the job search * @returns - A list of jobs and the total number of matching jobs */ -export async function fetchJobs(filters: Partial): Promise { +export async function fetchJobs( + filters: Partial, +): Promise { try { const baseUrl = process.env.NEXT_PUBLIC_BASE_URL || "http://localhost:3000"; const url = new URL("/api/jobs", baseUrl); @@ -52,16 +54,16 @@ export async function fetchJobs(filters: Partial): Promise Date: Sun, 26 Jan 2025 01:02:10 +1100 Subject: [PATCH 14/23] fix ESLint issues --- frontend/src/app/jobs/[id]/@modal/default.tsx | 11 +++++++---- frontend/src/context/jobs/filter-context.tsx | 6 +++--- frontend/src/lib/mock-data.ts | 3 +++ frontend/src/lib/parse-url-filters.ts | 16 ---------------- frontend/tsconfig.tsbuildinfo | 2 +- 5 files changed, 14 insertions(+), 24 deletions(-) delete mode 100644 frontend/src/lib/parse-url-filters.ts diff --git a/frontend/src/app/jobs/[id]/@modal/default.tsx b/frontend/src/app/jobs/[id]/@modal/default.tsx index 3223764..91019e4 100644 --- a/frontend/src/app/jobs/[id]/@modal/default.tsx +++ b/frontend/src/app/jobs/[id]/@modal/default.tsx @@ -1,10 +1,11 @@ import JobDetails from "@/components/jobs/details/job-details"; import { Modal, ScrollArea } from "@mantine/core"; +import { Job } from "@/types/job"; -const mockJobDetails = { +const mockJobDetails: Job = { id: "12345", - title: "Frontend Developer", + title: "Frontend Developer IF YOU ARE SEEING THIS, THE FETCH FAILED", company: { name: "Reserve Bank of Australiaaaaa", website: "https://techcorp.com", @@ -12,8 +13,10 @@ const mockJobDetails = { }, description: '

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Deploy and configure business systems to meet client needs.
  • \r\n\t
  • Perform systems process mapping and conduct needs analysis sessions with clients.
  • \r\n\t
  • Ensure seamless integration with existing infrastructure and processes.
  • \r\n\t
  • Customize system settings to optimize performance and functionality.
  • \r\n\t
  • Ensure compliance with industry standards and best practices.
  • \r\n\t
  • Conduct thorough testing and validation of system implementations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A recent third-level qualification in a tech-focused discipline.
  • \r\n\t
  • A base-level understanding of system architecture and design principles.
  • \r\n\t
  • Exposure to database management and data integration techniques is a bonus.
  • \r\n\t
  • A willingness to learn and enthusiasm for digital trends.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, free weekly lunches, social events, flexible working options, and modern offices in the CBD.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring, coaching, and both internal and external training programs to enhance your career skills.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement as BlueRock Digital continues to grow, with the potential to take on more senior roles.

\r\n\r\n

Report this job

', - type: "Graduate", + type: "GRADUATE", locations: ["VIC", "NSW", "TAS", "OTHERS", "QLD"], + industryField: "BIG_TECH", + sourceUrls: ["https://www.seek.com.au/job/12345"], studyFields: ["IT & Computer Science", "Engineering & Mathematics"], workingRights: ["AUS_CITIZEN", "OTHER_RIGHTS"], applicationUrl: "https://careers.mcdonalds.com.au/", @@ -31,7 +34,7 @@ export default function JobModal() { title="Job Details" scrollAreaComponent={ScrollArea} > - + ); } diff --git a/frontend/src/context/jobs/filter-context.tsx b/frontend/src/context/jobs/filter-context.tsx index 51e5e72..68a3be1 100644 --- a/frontend/src/context/jobs/filter-context.tsx +++ b/frontend/src/context/jobs/filter-context.tsx @@ -2,7 +2,7 @@ // frontend/src/context/jobs/filter-context.tsx import { createContext, useContext } from "react"; -import { JobFilters } from "@/types/filters"; +import { JobFilters, SortBy } from "@/types/filters"; export interface FilterState { filters: JobFilters; @@ -19,12 +19,12 @@ interface FilterContextType { export const initialState: FilterState = { filters: { search: "", - studyFields: [], + industryFields: [], jobTypes: [], locations: [], workingRights: [], page: 1, - sortBy: "recent", + sortBy: SortBy.RECENT, }, totalJobs: 0, isLoading: false, diff --git a/frontend/src/lib/mock-data.ts b/frontend/src/lib/mock-data.ts index 5f2bb08..a71a850 100644 --- a/frontend/src/lib/mock-data.ts +++ b/frontend/src/lib/mock-data.ts @@ -3,4 +3,7 @@ import { Job } from "@/types/job"; import jobsData from "./jobs.json"; import { transformJobData } from "./transform-job-data"; +// Honestly i don't know what this does and why is it here +// eslint-disable-next-line @typescript-eslint/ban-ts-comment +// @ts-expect-error export const MOCK_JOBS: Job[] = (jobsData as never[]).map(transformJobData); diff --git a/frontend/src/lib/parse-url-filters.ts b/frontend/src/lib/parse-url-filters.ts deleted file mode 100644 index f89b792..0000000 --- a/frontend/src/lib/parse-url-filters.ts +++ /dev/null @@ -1,16 +0,0 @@ -import { JobFilters } from "@/types/filters"; -import { ReadonlyURLSearchParams } from "next/navigation"; - -export function parseUrlFilters( - searchParams: ReadonlyURLSearchParams, -): JobFilters { - return { - search: searchParams.get("search") || "", - studyFields: searchParams.getAll("studyFields"), - jobTypes: searchParams.getAll("jobTypes"), - locations: searchParams.getAll("locations"), - workingRights: searchParams.getAll("workingRights"), - page: Number(searchParams.get("page")) || 1, - sortBy: (searchParams.get("sortBy") as "recent" | "relevant") || "recent", - }; -} diff --git a/frontend/tsconfig.tsbuildinfo b/frontend/tsconfig.tsbuildinfo index 523ff81..68ded18 100644 --- a/frontend/tsconfig.tsbuildinfo +++ b/frontend/tsconfig.tsbuildinfo @@ -1 +1 @@ -{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.es2021.d.ts","./node_modules/typescript/lib/lib.es2022.d.ts","./node_modules/typescript/lib/lib.es2023.d.ts","./node_modules/typescript/lib/lib.es2024.d.ts","./node_modules/typescript/lib/lib.esnext.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.es2021.promise.d.ts","./node_modules/typescript/lib/lib.es2021.string.d.ts","./node_modules/typescript/lib/lib.es2021.weakref.d.ts","./node_modules/typescript/lib/lib.es2021.intl.d.ts","./node_modules/typescript/lib/lib.es2022.array.d.ts","./node_modules/typescript/lib/lib.es2022.error.d.ts","./node_modules/typescript/lib/lib.es2022.intl.d.ts","./node_modules/typescript/lib/lib.es2022.object.d.ts","./node_modules/typescript/lib/lib.es2022.string.d.ts","./node_modules/typescript/lib/lib.es2022.regexp.d.ts","./node_modules/typescript/lib/lib.es2023.array.d.ts","./node_modules/typescript/lib/lib.es2023.collection.d.ts","./node_modules/typescript/lib/lib.es2023.intl.d.ts","./node_modules/typescript/lib/lib.es2024.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2024.collection.d.ts","./node_modules/typescript/lib/lib.es2024.object.d.ts","./node_modules/typescript/lib/lib.es2024.promise.d.ts","./node_modules/typescript/lib/lib.es2024.regexp.d.ts","./node_modules/typescript/lib/lib.es2024.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2024.string.d.ts","./node_modules/typescript/lib/lib.esnext.array.d.ts","./node_modules/typescript/lib/lib.esnext.collection.d.ts","./node_modules/typescript/lib/lib.esnext.intl.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.decorators.d.ts","./node_modules/typescript/lib/lib.esnext.iterator.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/next/dist/styled-jsx/types/css.d.ts","./node_modules/next/dist/styled-jsx/types/macro.d.ts","./node_modules/next/dist/styled-jsx/types/style.d.ts","./node_modules/next/dist/styled-jsx/types/global.d.ts","./node_modules/next/dist/styled-jsx/types/index.d.ts","./node_modules/next/dist/shared/lib/amp.d.ts","./node_modules/next/amp.d.ts","./node_modules/next/dist/server/get-page-files.d.ts","./node_modules/@types/node/compatibility/disposable.d.ts","./node_modules/@types/node/compatibility/indexable.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/compatibility/index.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/file.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/filereader.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/dom-events.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/@types/react/canary.d.ts","./node_modules/@types/react/experimental.d.ts","./node_modules/@types/react-dom/index.d.ts","./node_modules/@types/react-dom/canary.d.ts","./node_modules/@types/react-dom/experimental.d.ts","./node_modules/next/dist/lib/fallback.d.ts","./node_modules/next/dist/compiled/webpack/webpack.d.ts","./node_modules/next/dist/server/config.d.ts","./node_modules/next/dist/lib/load-custom-routes.d.ts","./node_modules/next/dist/shared/lib/image-config.d.ts","./node_modules/next/dist/build/webpack/plugins/subresource-integrity-plugin.d.ts","./node_modules/next/dist/server/body-streams.d.ts","./node_modules/next/dist/server/lib/revalidate.d.ts","./node_modules/next/dist/lib/setup-exception-listeners.d.ts","./node_modules/next/dist/lib/worker.d.ts","./node_modules/next/dist/lib/constants.d.ts","./node_modules/next/dist/client/components/app-router-headers.d.ts","./node_modules/next/dist/build/rendering-mode.d.ts","./node_modules/next/dist/server/require-hook.d.ts","./node_modules/next/dist/server/lib/experimental/ppr.d.ts","./node_modules/next/dist/build/webpack/plugins/app-build-manifest-plugin.d.ts","./node_modules/next/dist/lib/page-types.d.ts","./node_modules/next/dist/build/segment-config/app/app-segment-config.d.ts","./node_modules/next/dist/build/segment-config/pages/pages-segment-config.d.ts","./node_modules/next/dist/build/analysis/get-page-static-info.d.ts","./node_modules/next/dist/build/webpack/loaders/get-module-build-info.d.ts","./node_modules/next/dist/build/webpack/plugins/middleware-plugin.d.ts","./node_modules/next/dist/server/route-kind.d.ts","./node_modules/next/dist/server/route-definitions/route-definition.d.ts","./node_modules/next/dist/server/route-definitions/app-page-route-definition.d.ts","./node_modules/next/dist/server/lib/cache-handlers/types.d.ts","./node_modules/next/dist/server/response-cache/types.d.ts","./node_modules/next/dist/server/resume-data-cache/cache-store.d.ts","./node_modules/next/dist/server/resume-data-cache/resume-data-cache.d.ts","./node_modules/next/dist/server/render-result.d.ts","./node_modules/next/dist/build/webpack/plugins/flight-manifest-plugin.d.ts","./node_modules/next/dist/server/route-modules/route-module.d.ts","./node_modules/next/dist/shared/lib/deep-readonly.d.ts","./node_modules/next/dist/server/load-components.d.ts","./node_modules/next/dist/build/webpack/plugins/next-font-manifest-plugin.d.ts","./node_modules/next/dist/client/components/router-reducer/router-reducer-types.d.ts","./node_modules/next/dist/client/flight-data-helpers.d.ts","./node_modules/next/dist/client/components/router-reducer/fetch-server-response.d.ts","./node_modules/next/dist/shared/lib/app-router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/router/utils/middleware-route-matcher.d.ts","./node_modules/next/dist/server/route-definitions/locale-route-definition.d.ts","./node_modules/next/dist/server/route-definitions/pages-route-definition.d.ts","./node_modules/next/dist/shared/lib/mitt.d.ts","./node_modules/next/dist/client/with-router.d.ts","./node_modules/next/dist/client/router.d.ts","./node_modules/next/dist/client/route-loader.d.ts","./node_modules/next/dist/client/page-loader.d.ts","./node_modules/next/dist/shared/lib/bloom-filter.d.ts","./node_modules/next/dist/shared/lib/router/router.d.ts","./node_modules/next/dist/shared/lib/router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/image-config-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/hooks-client-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/head-manager-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/amp-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/server-inserted-html.shared-runtime.d.ts","./node_modules/next/dist/server/route-modules/pages/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/pages/module.compiled.d.ts","./node_modules/next/dist/build/templates/pages.d.ts","./node_modules/next/dist/server/route-modules/pages/module.d.ts","./node_modules/next/dist/server/render.d.ts","./node_modules/next/dist/server/response-cache/index.d.ts","./node_modules/next/dist/build/webpack/plugins/pages-manifest-plugin.d.ts","./node_modules/next/dist/server/route-definitions/pages-api-route-definition.d.ts","./node_modules/next/dist/server/route-matches/pages-api-route-match.d.ts","./node_modules/next/dist/server/instrumentation/types.d.ts","./node_modules/next/dist/server/route-matchers/route-matcher.d.ts","./node_modules/next/dist/server/route-matcher-providers/route-matcher-provider.d.ts","./node_modules/next/dist/server/lib/i18n-provider.d.ts","./node_modules/next/dist/server/route-matcher-managers/route-matcher-manager.d.ts","./node_modules/next/dist/server/normalizers/normalizer.d.ts","./node_modules/next/dist/server/normalizers/locale-route-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/pathname-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/suffix.d.ts","./node_modules/next/dist/server/normalizers/request/rsc.d.ts","./node_modules/next/dist/server/normalizers/request/prefetch-rsc.d.ts","./node_modules/next/dist/server/normalizers/request/next-data.d.ts","./node_modules/next/dist/server/after/builtin-request-context.d.ts","./node_modules/next/dist/server/base-server.d.ts","./node_modules/next/dist/server/web/next-url.d.ts","./node_modules/next/dist/compiled/@edge-runtime/cookies/index.d.ts","./node_modules/next/dist/server/web/spec-extension/cookies.d.ts","./node_modules/next/dist/server/web/spec-extension/request.d.ts","./node_modules/next/dist/server/web/spec-extension/fetch-event.d.ts","./node_modules/next/dist/server/web/spec-extension/response.d.ts","./node_modules/next/dist/build/segment-config/middleware/middleware-config.d.ts","./node_modules/next/dist/server/web/types.d.ts","./node_modules/next/dist/server/web/adapter.d.ts","./node_modules/next/dist/server/use-cache/cache-life.d.ts","./node_modules/next/dist/server/app-render/types.d.ts","./node_modules/next/dist/shared/lib/modern-browserslist-target.d.ts","./node_modules/next/dist/shared/lib/constants.d.ts","./node_modules/next/dist/build/webpack/loaders/metadata/types.d.ts","./node_modules/next/dist/build/page-extensions-type.d.ts","./node_modules/next/dist/build/webpack/loaders/next-app-loader/index.d.ts","./node_modules/next/dist/server/lib/app-dir-module.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/request-cookies.d.ts","./node_modules/next/dist/server/async-storage/draft-mode-provider.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/headers.d.ts","./node_modules/next/dist/server/app-render/cache-signal.d.ts","./node_modules/next/dist/server/app-render/dynamic-rendering.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage.external.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-relative-url.d.ts","./node_modules/next/dist/server/request/fallback-params.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot-instance.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot.external.d.ts","./node_modules/next/dist/server/app-render/app-render.d.ts","./node_modules/next/dist/server/route-modules/app-page/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.compiled.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/next/dist/client/components/error-boundary.d.ts","./node_modules/next/dist/client/components/layout-router.d.ts","./node_modules/next/dist/client/components/render-from-template-context.d.ts","./node_modules/next/dist/server/app-render/action-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/action-async-storage.external.d.ts","./node_modules/next/dist/client/components/client-page.d.ts","./node_modules/next/dist/client/components/client-segment.d.ts","./node_modules/next/dist/server/request/search-params.d.ts","./node_modules/next/dist/client/components/hooks-server-context.d.ts","./node_modules/next/dist/client/components/http-access-fallback/error-boundary.d.ts","./node_modules/next/dist/lib/metadata/types/alternative-urls-types.d.ts","./node_modules/next/dist/lib/metadata/types/extra-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-types.d.ts","./node_modules/next/dist/lib/metadata/types/manifest-types.d.ts","./node_modules/next/dist/lib/metadata/types/opengraph-types.d.ts","./node_modules/next/dist/lib/metadata/types/twitter-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-interface.d.ts","./node_modules/next/dist/lib/metadata/types/resolvers.d.ts","./node_modules/next/dist/lib/metadata/types/icons.d.ts","./node_modules/next/dist/lib/metadata/resolve-metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata-boundary.d.ts","./node_modules/next/dist/server/app-render/rsc/preloads.d.ts","./node_modules/next/dist/server/app-render/rsc/postpone.d.ts","./node_modules/next/dist/server/app-render/rsc/taint.d.ts","./node_modules/next/dist/server/app-render/collect-segment-data.d.ts","./node_modules/next/dist/server/app-render/entry-base.d.ts","./node_modules/next/dist/build/templates/app-page.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.d.ts","./node_modules/next/dist/server/node-polyfill-crypto.d.ts","./node_modules/next/dist/server/node-environment-baseline.d.ts","./node_modules/next/dist/server/node-environment-extensions/error-inspect.d.ts","./node_modules/next/dist/server/node-environment-extensions/random.d.ts","./node_modules/next/dist/server/node-environment-extensions/date.d.ts","./node_modules/next/dist/server/node-environment-extensions/web-crypto.d.ts","./node_modules/next/dist/server/node-environment-extensions/node-crypto.d.ts","./node_modules/next/dist/server/node-environment.d.ts","./node_modules/next/dist/server/route-definitions/app-route-route-definition.d.ts","./node_modules/next/dist/server/async-storage/work-store.d.ts","./node_modules/next/dist/server/web/http.d.ts","./node_modules/next/dist/server/route-modules/app-route/shared-modules.d.ts","./node_modules/next/dist/client/components/redirect-status-code.d.ts","./node_modules/next/dist/client/components/redirect-error.d.ts","./node_modules/next/dist/build/templates/app-route.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.compiled.d.ts","./node_modules/next/dist/build/segment-config/app/app-segments.d.ts","./node_modules/next/dist/build/utils.d.ts","./node_modules/next/dist/build/turborepo-access-trace/types.d.ts","./node_modules/next/dist/build/turborepo-access-trace/result.d.ts","./node_modules/next/dist/build/turborepo-access-trace/helpers.d.ts","./node_modules/next/dist/build/turborepo-access-trace/index.d.ts","./node_modules/next/dist/export/types.d.ts","./node_modules/next/dist/export/worker.d.ts","./node_modules/next/dist/build/worker.d.ts","./node_modules/next/dist/build/index.d.ts","./node_modules/next/dist/server/lib/incremental-cache/index.d.ts","./node_modules/next/dist/server/after/after.d.ts","./node_modules/next/dist/server/after/after-context.d.ts","./node_modules/next/dist/server/app-render/work-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-async-storage.external.d.ts","./node_modules/next/dist/server/request/params.d.ts","./node_modules/next/dist/server/route-matches/route-match.d.ts","./node_modules/next/dist/server/request-meta.d.ts","./node_modules/next/dist/cli/next-test.d.ts","./node_modules/next/dist/server/config-shared.d.ts","./node_modules/next/dist/server/base-http/index.d.ts","./node_modules/next/dist/server/api-utils/index.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-url.d.ts","./node_modules/next/dist/server/base-http/node.d.ts","./node_modules/next/dist/server/lib/async-callback-set.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-regex.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-matcher.d.ts","./node_modules/sharp/lib/index.d.ts","./node_modules/next/dist/server/image-optimizer.d.ts","./node_modules/next/dist/server/next-server.d.ts","./node_modules/next/dist/lib/coalesced-function.d.ts","./node_modules/next/dist/server/lib/router-utils/types.d.ts","./node_modules/next/dist/trace/types.d.ts","./node_modules/next/dist/trace/trace.d.ts","./node_modules/next/dist/trace/shared.d.ts","./node_modules/next/dist/trace/index.d.ts","./node_modules/next/dist/build/load-jsconfig.d.ts","./node_modules/next/dist/build/webpack-config.d.ts","./node_modules/next/dist/build/swc/generated-native.d.ts","./node_modules/next/dist/build/swc/types.d.ts","./node_modules/next/dist/server/dev/parse-version-info.d.ts","./node_modules/next/dist/client/components/react-dev-overlay/types.d.ts","./node_modules/next/dist/server/dev/hot-reloader-types.d.ts","./node_modules/next/dist/telemetry/storage.d.ts","./node_modules/next/dist/server/lib/render-server.d.ts","./node_modules/next/dist/server/lib/router-server.d.ts","./node_modules/next/dist/shared/lib/router/utils/path-match.d.ts","./node_modules/next/dist/server/lib/router-utils/filesystem.d.ts","./node_modules/next/dist/server/lib/router-utils/setup-dev-bundler.d.ts","./node_modules/next/dist/server/lib/types.d.ts","./node_modules/next/dist/server/lib/lru-cache.d.ts","./node_modules/next/dist/server/lib/dev-bundler-service.d.ts","./node_modules/next/dist/server/dev/static-paths-worker.d.ts","./node_modules/next/dist/server/dev/next-dev-server.d.ts","./node_modules/next/dist/server/next.d.ts","./node_modules/next/dist/types.d.ts","./node_modules/next/dist/shared/lib/html-context.shared-runtime.d.ts","./node_modules/@next/env/dist/index.d.ts","./node_modules/next/dist/shared/lib/utils.d.ts","./node_modules/next/dist/pages/_app.d.ts","./node_modules/next/app.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-cache.d.ts","./node_modules/next/dist/server/web/spec-extension/revalidate.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-no-store.d.ts","./node_modules/next/dist/server/use-cache/cache-tag.d.ts","./node_modules/next/cache.d.ts","./node_modules/next/dist/shared/lib/runtime-config.external.d.ts","./node_modules/next/config.d.ts","./node_modules/next/dist/pages/_document.d.ts","./node_modules/next/document.d.ts","./node_modules/next/dist/shared/lib/dynamic.d.ts","./node_modules/next/dynamic.d.ts","./node_modules/next/dist/pages/_error.d.ts","./node_modules/next/error.d.ts","./node_modules/next/dist/shared/lib/head.d.ts","./node_modules/next/head.d.ts","./node_modules/next/dist/server/request/cookies.d.ts","./node_modules/next/dist/server/request/headers.d.ts","./node_modules/next/dist/server/request/draft-mode.d.ts","./node_modules/next/headers.d.ts","./node_modules/next/dist/shared/lib/get-img-props.d.ts","./node_modules/next/dist/client/image-component.d.ts","./node_modules/next/dist/shared/lib/image-external.d.ts","./node_modules/next/image.d.ts","./node_modules/next/dist/client/link.d.ts","./node_modules/next/link.d.ts","./node_modules/next/dist/client/components/redirect.d.ts","./node_modules/next/dist/client/components/not-found.d.ts","./node_modules/next/dist/client/components/forbidden.d.ts","./node_modules/next/dist/client/components/unauthorized.d.ts","./node_modules/next/dist/client/components/unstable-rethrow.d.ts","./node_modules/next/dist/client/components/navigation.react-server.d.ts","./node_modules/next/dist/client/components/navigation.d.ts","./node_modules/next/navigation.d.ts","./node_modules/next/router.d.ts","./node_modules/next/dist/client/script.d.ts","./node_modules/next/script.d.ts","./node_modules/next/dist/server/web/spec-extension/user-agent.d.ts","./node_modules/next/dist/compiled/@edge-runtime/primitives/url.d.ts","./node_modules/next/dist/server/web/spec-extension/image-response.d.ts","./node_modules/next/dist/compiled/@vercel/og/satori/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/emoji/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/types.d.ts","./node_modules/next/dist/server/after/index.d.ts","./node_modules/next/dist/server/request/connection.d.ts","./node_modules/next/server.d.ts","./node_modules/next/types/global.d.ts","./node_modules/next/types/compiled.d.ts","./node_modules/next/types.d.ts","./node_modules/next/index.d.ts","./node_modules/next/image-types/global.d.ts","./next-env.d.ts","./next.config.ts","./node_modules/source-map-js/source-map.d.ts","./node_modules/postcss/lib/previous-map.d.ts","./node_modules/postcss/lib/input.d.ts","./node_modules/postcss/lib/css-syntax-error.d.ts","./node_modules/postcss/lib/declaration.d.ts","./node_modules/postcss/lib/root.d.ts","./node_modules/postcss/lib/warning.d.ts","./node_modules/postcss/lib/lazy-result.d.ts","./node_modules/postcss/lib/no-work-result.d.ts","./node_modules/postcss/lib/processor.d.ts","./node_modules/postcss/lib/result.d.ts","./node_modules/postcss/lib/document.d.ts","./node_modules/postcss/lib/rule.d.ts","./node_modules/postcss/lib/node.d.ts","./node_modules/postcss/lib/comment.d.ts","./node_modules/postcss/lib/container.d.ts","./node_modules/postcss/lib/at-rule.d.ts","./node_modules/postcss/lib/list.d.ts","./node_modules/postcss/lib/postcss.d.ts","./node_modules/postcss/lib/postcss.d.mts","./node_modules/tailwindcss/types/generated/corepluginlist.d.ts","./node_modules/tailwindcss/types/generated/colors.d.ts","./node_modules/tailwindcss/types/config.d.ts","./node_modules/tailwindcss/types/index.d.ts","./tailwind.config.ts","./src/types/job.ts","./src/types/filters.ts","./src/context/jobs/jobs-context.tsx","./src/hooks/use-url-state.ts","./src/hooks/use-job-filters.ts","./src/hooks/use-job-search.ts","./src/hooks/use-pagination.ts","./src/lib/jobs.json","./src/lib/transform-job-data.ts","./src/lib/mock-data.ts","./node_modules/react-remove-scroll/dist/es5/types.d.ts","./node_modules/react-remove-scroll/dist/es5/combination.d.ts","./node_modules/react-remove-scroll/dist/es5/index.d.ts","./node_modules/@mantine/core/lib/core/utils/keys/keys.d.ts","./node_modules/@mantine/core/lib/core/utils/deep-merge/deep-merge.d.ts","./node_modules/@mantine/core/lib/core/utils/camel-to-kebab-case/camel-to-kebab-case.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/px.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/rem.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/index.d.ts","./node_modules/@mantine/core/lib/core/utils/filter-props/filter-props.d.ts","./node_modules/@mantine/core/lib/core/utils/is-number-like/is-number-like.d.ts","./node_modules/@mantine/core/lib/core/utils/is-element/is-element.d.ts","./node_modules/@mantine/core/lib/core/utils/create-safe-context/create-safe-context.d.ts","./node_modules/@mantine/core/lib/core/utils/create-optional-context/create-optional-context.d.ts","./node_modules/@mantine/core/lib/core/utils/get-safe-id/get-safe-id.d.ts","./node_modules/@mantine/core/lib/core/utils/create-scoped-keydown-handler/create-scoped-keydown-handler.d.ts","./node_modules/@mantine/core/lib/core/utils/find-element-ancestor/find-element-ancestor.d.ts","./node_modules/@mantine/core/lib/core/utils/get-default-z-index/get-default-z-index.d.ts","./node_modules/@mantine/core/lib/core/utils/close-on-escape/close-on-escape.d.ts","./node_modules/@mantine/core/lib/core/utils/noop/noop.d.ts","./node_modules/@mantine/core/lib/core/utils/get-size/get-size.d.ts","./node_modules/@mantine/core/lib/core/utils/create-event-handler/create-event-handler.d.ts","./node_modules/type-fest/source/primitive.d.ts","./node_modules/type-fest/source/typed-array.d.ts","./node_modules/type-fest/source/basic.d.ts","./node_modules/type-fest/source/observable-like.d.ts","./node_modules/type-fest/source/union-to-intersection.d.ts","./node_modules/type-fest/source/keys-of-union.d.ts","./node_modules/type-fest/source/distributed-omit.d.ts","./node_modules/type-fest/source/distributed-pick.d.ts","./node_modules/type-fest/source/empty-object.d.ts","./node_modules/type-fest/source/if-empty-object.d.ts","./node_modules/type-fest/source/required-keys-of.d.ts","./node_modules/type-fest/source/has-required-keys.d.ts","./node_modules/type-fest/source/is-equal.d.ts","./node_modules/type-fest/source/except.d.ts","./node_modules/type-fest/source/require-at-least-one.d.ts","./node_modules/type-fest/source/non-empty-object.d.ts","./node_modules/type-fest/source/unknown-record.d.ts","./node_modules/type-fest/source/unknown-array.d.ts","./node_modules/type-fest/source/tagged-union.d.ts","./node_modules/type-fest/source/simplify.d.ts","./node_modules/type-fest/source/writable.d.ts","./node_modules/type-fest/source/is-never.d.ts","./node_modules/type-fest/source/if-never.d.ts","./node_modules/type-fest/source/internal/array.d.ts","./node_modules/type-fest/source/internal/characters.d.ts","./node_modules/type-fest/source/is-any.d.ts","./node_modules/type-fest/source/is-float.d.ts","./node_modules/type-fest/source/is-integer.d.ts","./node_modules/type-fest/source/numeric.d.ts","./node_modules/type-fest/source/is-literal.d.ts","./node_modules/type-fest/source/trim.d.ts","./node_modules/type-fest/source/and.d.ts","./node_modules/type-fest/source/or.d.ts","./node_modules/type-fest/source/greater-than.d.ts","./node_modules/type-fest/source/greater-than-or-equal.d.ts","./node_modules/type-fest/source/less-than.d.ts","./node_modules/type-fest/source/internal/tuple.d.ts","./node_modules/type-fest/source/internal/string.d.ts","./node_modules/type-fest/source/internal/keys.d.ts","./node_modules/type-fest/source/internal/numeric.d.ts","./node_modules/type-fest/source/internal/type.d.ts","./node_modules/type-fest/source/internal/object.d.ts","./node_modules/type-fest/source/internal/index.d.ts","./node_modules/type-fest/source/writable-deep.d.ts","./node_modules/type-fest/source/omit-index-signature.d.ts","./node_modules/type-fest/source/pick-index-signature.d.ts","./node_modules/type-fest/source/merge.d.ts","./node_modules/type-fest/source/conditional-simplify.d.ts","./node_modules/type-fest/source/non-empty-tuple.d.ts","./node_modules/type-fest/source/array-tail.d.ts","./node_modules/type-fest/source/enforce-optional.d.ts","./node_modules/type-fest/source/simplify-deep.d.ts","./node_modules/type-fest/source/merge-deep.d.ts","./node_modules/type-fest/source/merge-exclusive.d.ts","./node_modules/type-fest/source/require-exactly-one.d.ts","./node_modules/type-fest/source/require-all-or-none.d.ts","./node_modules/type-fest/source/require-one-or-none.d.ts","./node_modules/type-fest/source/single-key-object.d.ts","./node_modules/type-fest/source/partial-deep.d.ts","./node_modules/type-fest/source/required-deep.d.ts","./node_modules/type-fest/source/sum.d.ts","./node_modules/type-fest/source/subtract.d.ts","./node_modules/type-fest/source/paths.d.ts","./node_modules/type-fest/source/pick-deep.d.ts","./node_modules/type-fest/source/array-splice.d.ts","./node_modules/type-fest/source/literal-union.d.ts","./node_modules/type-fest/source/shared-union-fields-deep.d.ts","./node_modules/type-fest/source/omit-deep.d.ts","./node_modules/type-fest/source/is-null.d.ts","./node_modules/type-fest/source/is-unknown.d.ts","./node_modules/type-fest/source/if-unknown.d.ts","./node_modules/type-fest/source/partial-on-undefined-deep.d.ts","./node_modules/type-fest/source/undefined-on-partial-deep.d.ts","./node_modules/type-fest/source/readonly-deep.d.ts","./node_modules/type-fest/source/promisable.d.ts","./node_modules/type-fest/source/arrayable.d.ts","./node_modules/type-fest/source/tagged.d.ts","./node_modules/type-fest/source/invariant-of.d.ts","./node_modules/type-fest/source/set-optional.d.ts","./node_modules/type-fest/source/set-readonly.d.ts","./node_modules/type-fest/source/optional-keys-of.d.ts","./node_modules/type-fest/source/set-required.d.ts","./node_modules/type-fest/source/union-to-tuple.d.ts","./node_modules/type-fest/source/set-required-deep.d.ts","./node_modules/type-fest/source/set-non-nullable.d.ts","./node_modules/type-fest/source/value-of.d.ts","./node_modules/type-fest/source/async-return-type.d.ts","./node_modules/type-fest/source/conditional-keys.d.ts","./node_modules/type-fest/source/conditional-except.d.ts","./node_modules/type-fest/source/conditional-pick.d.ts","./node_modules/type-fest/source/conditional-pick-deep.d.ts","./node_modules/type-fest/source/stringified.d.ts","./node_modules/type-fest/source/join.d.ts","./node_modules/type-fest/source/less-than-or-equal.d.ts","./node_modules/type-fest/source/array-slice.d.ts","./node_modules/type-fest/source/string-slice.d.ts","./node_modules/type-fest/source/fixed-length-array.d.ts","./node_modules/type-fest/source/multidimensional-array.d.ts","./node_modules/type-fest/source/multidimensional-readonly-array.d.ts","./node_modules/type-fest/source/iterable-element.d.ts","./node_modules/type-fest/source/entry.d.ts","./node_modules/type-fest/source/entries.d.ts","./node_modules/type-fest/source/set-return-type.d.ts","./node_modules/type-fest/source/set-parameter-type.d.ts","./node_modules/type-fest/source/asyncify.d.ts","./node_modules/type-fest/source/jsonify.d.ts","./node_modules/type-fest/source/jsonifiable.d.ts","./node_modules/type-fest/source/find-global-type.d.ts","./node_modules/type-fest/source/structured-cloneable.d.ts","./node_modules/type-fest/source/schema.d.ts","./node_modules/type-fest/source/literal-to-primitive.d.ts","./node_modules/type-fest/source/literal-to-primitive-deep.d.ts","./node_modules/type-fest/source/string-key-of.d.ts","./node_modules/type-fest/source/exact.d.ts","./node_modules/type-fest/source/readonly-tuple.d.ts","./node_modules/type-fest/source/override-properties.d.ts","./node_modules/type-fest/source/has-optional-keys.d.ts","./node_modules/type-fest/source/readonly-keys-of.d.ts","./node_modules/type-fest/source/has-readonly-keys.d.ts","./node_modules/type-fest/source/writable-keys-of.d.ts","./node_modules/type-fest/source/has-writable-keys.d.ts","./node_modules/type-fest/source/spread.d.ts","./node_modules/type-fest/source/tuple-to-union.d.ts","./node_modules/type-fest/source/int-range.d.ts","./node_modules/type-fest/source/int-closed-range.d.ts","./node_modules/type-fest/source/if-any.d.ts","./node_modules/type-fest/source/is-tuple.d.ts","./node_modules/type-fest/source/array-indices.d.ts","./node_modules/type-fest/source/array-values.d.ts","./node_modules/type-fest/source/set-field-type.d.ts","./node_modules/type-fest/source/shared-union-fields.d.ts","./node_modules/type-fest/source/if-null.d.ts","./node_modules/type-fest/source/words.d.ts","./node_modules/type-fest/source/camel-case.d.ts","./node_modules/type-fest/source/camel-cased-properties.d.ts","./node_modules/type-fest/source/camel-cased-properties-deep.d.ts","./node_modules/type-fest/source/delimiter-case.d.ts","./node_modules/type-fest/source/kebab-case.d.ts","./node_modules/type-fest/source/delimiter-cased-properties.d.ts","./node_modules/type-fest/source/kebab-cased-properties.d.ts","./node_modules/type-fest/source/delimiter-cased-properties-deep.d.ts","./node_modules/type-fest/source/kebab-cased-properties-deep.d.ts","./node_modules/type-fest/source/pascal-case.d.ts","./node_modules/type-fest/source/pascal-cased-properties.d.ts","./node_modules/type-fest/source/pascal-cased-properties-deep.d.ts","./node_modules/type-fest/source/snake-case.d.ts","./node_modules/type-fest/source/snake-cased-properties.d.ts","./node_modules/type-fest/source/snake-cased-properties-deep.d.ts","./node_modules/type-fest/source/includes.d.ts","./node_modules/type-fest/source/screaming-snake-case.d.ts","./node_modules/type-fest/source/split.d.ts","./node_modules/type-fest/source/replace.d.ts","./node_modules/type-fest/source/string-repeat.d.ts","./node_modules/type-fest/source/get.d.ts","./node_modules/type-fest/source/last-array-element.d.ts","./node_modules/type-fest/source/global-this.d.ts","./node_modules/type-fest/source/package-json.d.ts","./node_modules/type-fest/source/tsconfig-json.d.ts","./node_modules/type-fest/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-primary-shade/get-primary-shade.d.ts","./node_modules/@mantine/core/lib/core/box/box.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/extract-style-props/extract-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/border-resolver/border-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/color-resolver/color-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-family-resolver/font-family-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-size-resolver/font-size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/identity-resolver/identity-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/line-height-resolver/line-height-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/size-resolver/size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/spacing-resolver/spacing-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props-data.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/styles-to-string/styles-to-string.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/inlinestyles.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/sort-media-queries.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/parse-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/index.d.ts","./node_modules/@mantine/core/lib/core/box/use-random-classname/use-random-classname.d.ts","./node_modules/@mantine/core/lib/core/box/get-style-object/get-style-object.d.ts","./node_modules/@mantine/core/lib/core/styles-api/create-vars-resolver/create-vars-resolver.d.ts","./node_modules/@mantine/core/lib/core/styles-api/styles-api.types.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-class-name.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/resolve-class-names/resolve-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-vars/resolve-vars.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/get-style.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-styles/resolve-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-resolved-styles-api/use-resolved-styles-api.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-global-class-names/get-global-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/use-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/index.d.ts","./node_modules/@mantine/core/lib/core/factory/factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-polymorphic-component.d.ts","./node_modules/@mantine/core/lib/core/factory/polymorphic-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/index.d.ts","./node_modules/@mantine/core/lib/core/box/box.d.ts","./node_modules/@mantine/core/lib/core/box/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/parse-theme-color/parse-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-theme-color/get-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/default-variant-colors-resolver/default-variant-colors-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-gradient/get-gradient.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/to-rgba/to-rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/rgba/rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/darken/darken.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/lighten/lighten.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/luminance/luminance.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-contrast-color/get-contrast-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-auto-contrast-value/get-auto-contrast-value.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/colors-tuple/colors-tuple.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/theme.types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/local-storage-manager.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/is-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-provider-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/utils/clamp/clamp.d.ts","./node_modules/@mantine/hooks/lib/utils/lower-first/lower-first.d.ts","./node_modules/@mantine/hooks/lib/utils/random-id/random-id.d.ts","./node_modules/@mantine/hooks/lib/utils/range/range.d.ts","./node_modules/@mantine/hooks/lib/utils/shallow-equal/shallow-equal.d.ts","./node_modules/@mantine/hooks/lib/utils/upper-first/upper-first.d.ts","./node_modules/@mantine/hooks/lib/utils/index.d.ts","./node_modules/@mantine/hooks/lib/use-callback-ref/use-callback-ref.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-callback/use-debounced-callback.d.ts","./node_modules/@mantine/hooks/lib/use-click-outside/use-click-outside.d.ts","./node_modules/@mantine/hooks/lib/use-clipboard/use-clipboard.d.ts","./node_modules/@mantine/hooks/lib/use-media-query/use-media-query.d.ts","./node_modules/@mantine/hooks/lib/use-color-scheme/use-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/use-counter/use-counter.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-state/use-debounced-state.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-value/use-debounced-value.d.ts","./node_modules/@mantine/hooks/lib/use-document-title/use-document-title.d.ts","./node_modules/@mantine/hooks/lib/use-document-visibility/use-document-visibility.d.ts","./node_modules/@mantine/hooks/lib/use-focus-return/use-focus-return.d.ts","./node_modules/@mantine/hooks/lib/use-did-update/use-did-update.d.ts","./node_modules/@mantine/hooks/lib/use-focus-trap/use-focus-trap.d.ts","./node_modules/@mantine/hooks/lib/use-force-update/use-force-update.d.ts","./node_modules/@mantine/hooks/lib/use-id/use-id.d.ts","./node_modules/@mantine/hooks/lib/use-idle/use-idle.d.ts","./node_modules/@mantine/hooks/lib/use-interval/use-interval.d.ts","./node_modules/@mantine/hooks/lib/use-isomorphic-effect/use-isomorphic-effect.d.ts","./node_modules/@mantine/hooks/lib/use-list-state/use-list-state.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/create-storage.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/use-local-storage.d.ts","./node_modules/@mantine/hooks/lib/use-session-storage/use-session-storage.d.ts","./node_modules/@mantine/hooks/lib/use-merged-ref/use-merged-ref.d.ts","./node_modules/@mantine/hooks/lib/use-mouse/use-mouse.d.ts","./node_modules/@mantine/hooks/lib/use-move/use-move.d.ts","./node_modules/@mantine/hooks/lib/use-pagination/use-pagination.d.ts","./node_modules/@mantine/hooks/lib/use-queue/use-queue.d.ts","./node_modules/@mantine/hooks/lib/use-page-leave/use-page-leave.d.ts","./node_modules/@mantine/hooks/lib/use-reduced-motion/use-reduced-motion.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-into-view/use-scroll-into-view.d.ts","./node_modules/@mantine/hooks/lib/use-resize-observer/use-resize-observer.d.ts","./node_modules/@mantine/hooks/lib/use-shallow-effect/use-shallow-effect.d.ts","./node_modules/@mantine/hooks/lib/use-toggle/use-toggle.d.ts","./node_modules/@mantine/hooks/lib/use-uncontrolled/use-uncontrolled.d.ts","./node_modules/@mantine/hooks/lib/use-viewport-size/use-viewport-size.d.ts","./node_modules/@mantine/hooks/lib/use-window-event/use-window-event.d.ts","./node_modules/@mantine/hooks/lib/use-window-scroll/use-window-scroll.d.ts","./node_modules/@mantine/hooks/lib/use-intersection/use-intersection.d.ts","./node_modules/@mantine/hooks/lib/use-hash/use-hash.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/parse-hotkey.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/use-hotkeys.d.ts","./node_modules/@mantine/hooks/lib/use-fullscreen/use-fullscreen.d.ts","./node_modules/@mantine/hooks/lib/use-logger/use-logger.d.ts","./node_modules/@mantine/hooks/lib/use-hover/use-hover.d.ts","./node_modules/@mantine/hooks/lib/use-validated-state/use-validated-state.d.ts","./node_modules/@mantine/hooks/lib/use-os/use-os.d.ts","./node_modules/@mantine/hooks/lib/use-set-state/use-set-state.d.ts","./node_modules/@mantine/hooks/lib/use-input-state/use-input-state.d.ts","./node_modules/@mantine/hooks/lib/use-event-listener/use-event-listener.d.ts","./node_modules/@mantine/hooks/lib/use-disclosure/use-disclosure.d.ts","./node_modules/@mantine/hooks/lib/use-focus-within/use-focus-within.d.ts","./node_modules/@mantine/hooks/lib/use-network/use-network.d.ts","./node_modules/@mantine/hooks/lib/use-timeout/use-timeout.d.ts","./node_modules/@mantine/hooks/lib/use-text-selection/use-text-selection.d.ts","./node_modules/@mantine/hooks/lib/use-previous/use-previous.d.ts","./node_modules/@mantine/hooks/lib/use-favicon/use-favicon.d.ts","./node_modules/@mantine/hooks/lib/use-headroom/use-headroom.d.ts","./node_modules/@mantine/hooks/lib/use-eye-dropper/use-eye-dropper.d.ts","./node_modules/@mantine/hooks/lib/use-in-viewport/use-in-viewport.d.ts","./node_modules/@mantine/hooks/lib/use-mutation-observer/use-mutation-observer.d.ts","./node_modules/@mantine/hooks/lib/use-mounted/use-mounted.d.ts","./node_modules/@mantine/hooks/lib/use-state-history/use-state-history.d.ts","./node_modules/@mantine/hooks/lib/use-map/use-map.d.ts","./node_modules/@mantine/hooks/lib/use-set/use-set.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-callback/use-throttled-callback.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-state/use-throttled-state.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-value/use-throttled-value.d.ts","./node_modules/@mantine/hooks/lib/use-is-first-render/use-is-first-render.d.ts","./node_modules/@mantine/hooks/lib/use-orientation/use-orientation.d.ts","./node_modules/@mantine/hooks/lib/use-fetch/use-fetch.d.ts","./node_modules/@mantine/hooks/lib/use-radial-move/use-radial-move.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-spy/use-scroll-spy.d.ts","./node_modules/@mantine/hooks/lib/index.d.mts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-computed-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/colorschemescript.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/default-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/merge-mantine-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/css-variables-object-to-string.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/convert-css-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine.context.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/mantinecssvariables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/default-css-variables-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/get-css-color-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/virtual-color/virtual-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantineprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/mantinethemeprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-props/use-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/create-theme/create-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-theme-overrides/merge-theme-overrides.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-matches/use-matches.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine-html-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/index.d.ts","./node_modules/@mantine/core/lib/core/utils/get-breakpoint-value/get-breakpoint-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-sorted-breakpoints/get-sorted-breakpoints.d.ts","./node_modules/@mantine/core/lib/core/utils/get-base-value/get-base-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-context-item-index/get-context-item-index.d.ts","./node_modules/@mantine/core/lib/core/utils/use-hovered/use-hovered.d.ts","./node_modules/@mantine/core/lib/core/utils/create-use-external-events/create-use-external-events.d.ts","./node_modules/@mantine/core/lib/core/utils/get-env/get-env.d.ts","./node_modules/@mantine/core/lib/core/utils/memoize/memoize.d.ts","./node_modules/@mantine/core/lib/core/utils/find-closest-number/find-closest-number.d.ts","./node_modules/@mantine/core/lib/core/utils/get-ref-prop/get-ref-prop.d.ts","./node_modules/@mantine/core/lib/core/utils/index.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/directionprovider.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/index.d.ts","./node_modules/@mantine/core/lib/core/index.d.ts","./node_modules/@mantine/core/lib/components/collapse/collapse.d.ts","./node_modules/@mantine/core/lib/components/collapse/index.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/scrollarea.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/index.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/unstyledbutton.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/index.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/visuallyhidden.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/index.d.ts","./node_modules/@mantine/core/lib/components/paper/paper.d.ts","./node_modules/@mantine/core/lib/components/paper/index.d.ts","./node_modules/@mantine/core/lib/components/floating/use-delayed-hover.d.ts","./node_modules/@mantine/core/lib/components/floating/types.d.ts","./node_modules/@mantine/core/lib/components/floating/use-floating-auto-update.d.ts","./node_modules/@mantine/core/lib/components/floating/get-floating-position/get-floating-position.d.ts","./node_modules/@mantine/core/lib/components/floating/floatingarrow/floatingarrow.d.ts","./node_modules/@mantine/core/lib/components/floating/index.d.ts","./node_modules/@mantine/core/lib/components/overlay/overlay.d.ts","./node_modules/@mantine/core/lib/components/overlay/index.d.ts","./node_modules/@mantine/core/lib/components/portal/portal.d.ts","./node_modules/@mantine/core/lib/components/portal/optionalportal.d.ts","./node_modules/@mantine/core/lib/components/portal/index.d.ts","./node_modules/@mantine/core/lib/components/transition/transitions.d.ts","./node_modules/@mantine/core/lib/components/transition/transition.d.ts","./node_modules/@mantine/core/lib/components/transition/get-transition-props/get-transition-props.d.ts","./node_modules/@mantine/core/lib/components/transition/index.d.ts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.d.mts","./node_modules/@floating-ui/core/dist/floating-ui.core.d.mts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.dom.d.mts","./node_modules/@floating-ui/dom/dist/floating-ui.dom.d.mts","./node_modules/@floating-ui/react-dom/dist/floating-ui.react-dom.d.mts","./node_modules/@floating-ui/react/dist/floating-ui.react.d.mts","./node_modules/@mantine/core/lib/components/popover/popover.types.d.ts","./node_modules/@mantine/core/lib/components/popover/popovertarget/popovertarget.d.ts","./node_modules/@mantine/core/lib/components/popover/popoverdropdown/popoverdropdown.d.ts","./node_modules/@mantine/core/lib/components/popover/popover.d.ts","./node_modules/@mantine/core/lib/components/popover/index.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.types.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.d.ts","./node_modules/@mantine/core/lib/components/loader/index.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroup/actionicongroup.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroupsection/actionicongroupsection.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicon.d.ts","./node_modules/@mantine/core/lib/components/actionicon/index.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closeicon.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closebutton.d.ts","./node_modules/@mantine/core/lib/components/closebutton/index.d.ts","./node_modules/@mantine/core/lib/components/group/group.d.ts","./node_modules/@mantine/core/lib/components/group/index.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbase.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasebody.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasecontent.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseheader.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseoverlay.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasetitle.d.ts","./node_modules/@mantine/core/lib/components/modalbase/nativescrollarea.d.ts","./node_modules/@mantine/core/lib/components/modalbase/index.d.ts","./node_modules/@mantine/core/lib/components/input/inputclearbutton/inputclearbutton.d.ts","./node_modules/@mantine/core/lib/components/input/inputdescription/inputdescription.d.ts","./node_modules/@mantine/core/lib/components/input/inputerror/inputerror.d.ts","./node_modules/@mantine/core/lib/components/input/inputlabel/inputlabel.d.ts","./node_modules/@mantine/core/lib/components/input/inputplaceholder/inputplaceholder.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper/inputwrapper.d.ts","./node_modules/@mantine/core/lib/components/input/input.d.ts","./node_modules/@mantine/core/lib/components/input/use-input-props.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper.context.d.ts","./node_modules/@mantine/core/lib/components/input/index.d.ts","./node_modules/@mantine/core/lib/components/inputbase/inputbase.d.ts","./node_modules/@mantine/core/lib/components/inputbase/index.d.ts","./node_modules/@mantine/core/lib/components/flex/flex-props.d.ts","./node_modules/@mantine/core/lib/components/flex/flex.d.ts","./node_modules/@mantine/core/lib/components/flex/index.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/floatingindicator.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/index.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.types.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionchevron.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionitem/accordionitem.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionpanel/accordionpanel.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordioncontrol/accordioncontrol.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.d.ts","./node_modules/@mantine/core/lib/components/accordion/index.d.ts","./node_modules/@mantine/core/lib/components/affix/affix.d.ts","./node_modules/@mantine/core/lib/components/affix/index.d.ts","./node_modules/@mantine/core/lib/components/alert/alert.d.ts","./node_modules/@mantine/core/lib/components/alert/index.d.ts","./node_modules/@mantine/core/lib/components/text/text.d.ts","./node_modules/@mantine/core/lib/components/text/index.d.ts","./node_modules/@mantine/core/lib/components/anchor/anchor.d.ts","./node_modules/@mantine/core/lib/components/anchor/index.d.ts","./node_modules/@mantine/core/lib/components/angleslider/angleslider.d.ts","./node_modules/@mantine/core/lib/components/angleslider/index.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.types.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellaside/appshellaside.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellfooter/appshellfooter.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellheader/appshellheader.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellmain/appshellmain.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellnavbar/appshellnavbar.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellsection/appshellsection.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.d.ts","./node_modules/@mantine/core/lib/components/appshell/index.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/aspectratio.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/index.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxchevron/comboboxchevron.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxclearbutton/comboboxclearbutton.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdown/comboboxdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdowntarget/comboboxdropdowntarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxempty/comboboxempty.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxeventstarget/comboboxeventstarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxfooter/comboboxfooter.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxgroup/comboboxgroup.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxheader/comboboxheader.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxhiddeninput/comboboxhiddeninput.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoption/comboboxoption.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoptions/comboboxoptions.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxsearch/comboboxsearch.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxtarget/comboboxtarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/default-options-filter.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/optionsdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.types.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-parsed-combobox-data/get-parsed-combobox-data.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-options-lockup/get-options-lockup.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-virtualized-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox-target-props/use-combobox-target-props.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/is-options-group.d.ts","./node_modules/@mantine/core/lib/components/combobox/index.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/autocomplete.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/index.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatargroup/avatargroup.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatar.d.ts","./node_modules/@mantine/core/lib/components/avatar/index.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/backgroundimage.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/index.d.ts","./node_modules/@mantine/core/lib/components/badge/badge.d.ts","./node_modules/@mantine/core/lib/components/badge/index.d.ts","./node_modules/@mantine/core/lib/components/blockquote/blockquote.d.ts","./node_modules/@mantine/core/lib/components/blockquote/index.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/breadcrumbs.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/index.d.ts","./node_modules/@mantine/core/lib/components/burger/burger.d.ts","./node_modules/@mantine/core/lib/components/burger/index.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroup/buttongroup.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroupsection/buttongroupsection.d.ts","./node_modules/@mantine/core/lib/components/button/button.d.ts","./node_modules/@mantine/core/lib/components/button/index.d.ts","./node_modules/@mantine/core/lib/components/card/cardsection/cardsection.d.ts","./node_modules/@mantine/core/lib/components/card/card.d.ts","./node_modules/@mantine/core/lib/components/card/index.d.ts","./node_modules/@mantine/core/lib/components/center/center.d.ts","./node_modules/@mantine/core/lib/components/center/index.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/inlineinput.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/index.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup/checkboxgroup.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxindicator/checkboxindicator.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkbox.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkicon.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/index.d.ts","./node_modules/@mantine/core/lib/components/chip/chipgroup/chipgroup.d.ts","./node_modules/@mantine/core/lib/components/chip/chip.d.ts","./node_modules/@mantine/core/lib/components/chip/index.d.ts","./node_modules/@mantine/core/lib/components/code/code.d.ts","./node_modules/@mantine/core/lib/components/code/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.types.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorslider/colorslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/alphaslider/alphaslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/hueslider/hueslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/converters.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/parsers.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/index.d.ts","./node_modules/@mantine/core/lib/components/colorinput/colorinput.d.ts","./node_modules/@mantine/core/lib/components/colorinput/index.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/colorswatch.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/index.d.ts","./node_modules/@mantine/core/lib/components/container/container.d.ts","./node_modules/@mantine/core/lib/components/container/index.d.ts","./node_modules/@mantine/core/lib/components/copybutton/copybutton.d.ts","./node_modules/@mantine/core/lib/components/copybutton/index.d.ts","./node_modules/@mantine/core/lib/components/dialog/dialog.d.ts","./node_modules/@mantine/core/lib/components/dialog/index.d.ts","./node_modules/@mantine/core/lib/components/divider/divider.d.ts","./node_modules/@mantine/core/lib/components/divider/index.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerbody.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerclosebutton.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawercontent.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerheader.d.ts","./node_modules/@mantine/core/lib/components/drawer/draweroverlay.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.context.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerroot.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerstack.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawertitle.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.d.ts","./node_modules/@mantine/core/lib/components/drawer/index.d.ts","./node_modules/@mantine/core/lib/components/fieldset/fieldset.d.ts","./node_modules/@mantine/core/lib/components/fieldset/index.d.ts","./node_modules/@mantine/core/lib/components/filebutton/filebutton.d.ts","./node_modules/@mantine/core/lib/components/filebutton/index.d.ts","./node_modules/@mantine/core/lib/components/fileinput/fileinput.d.ts","./node_modules/@mantine/core/lib/components/fileinput/index.d.ts","./node_modules/@mantine/core/lib/components/focustrap/focustrap.d.ts","./node_modules/@mantine/core/lib/components/focustrap/index.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.context.d.ts","./node_modules/@mantine/core/lib/components/grid/gridcol/gridcol.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.d.ts","./node_modules/@mantine/core/lib/components/grid/index.d.ts","./node_modules/@mantine/core/lib/components/highlight/highlight.d.ts","./node_modules/@mantine/core/lib/components/highlight/index.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercarddropdown/hovercarddropdown.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercardtarget/hovercardtarget.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercard.d.ts","./node_modules/@mantine/core/lib/components/hovercard/index.d.ts","./node_modules/@mantine/core/lib/components/image/image.d.ts","./node_modules/@mantine/core/lib/components/image/index.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.types.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.d.ts","./node_modules/@mantine/core/lib/components/indicator/index.d.ts","./node_modules/@mantine/core/lib/components/textarea/textarea.d.ts","./node_modules/@mantine/core/lib/components/textarea/index.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/jsoninput.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/index.d.ts","./node_modules/@mantine/core/lib/components/kbd/kbd.d.ts","./node_modules/@mantine/core/lib/components/kbd/index.d.ts","./node_modules/@mantine/core/lib/components/list/listitem/listitem.d.ts","./node_modules/@mantine/core/lib/components/list/list.d.ts","./node_modules/@mantine/core/lib/components/list/index.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/loadingoverlay.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/index.d.ts","./node_modules/@mantine/core/lib/components/mark/mark.d.ts","./node_modules/@mantine/core/lib/components/mark/index.d.ts","./node_modules/@mantine/core/lib/components/menu/menuitem/menuitem.d.ts","./node_modules/@mantine/core/lib/components/menu/menulabel/menulabel.d.ts","./node_modules/@mantine/core/lib/components/menu/menudropdown/menudropdown.d.ts","./node_modules/@mantine/core/lib/components/menu/menutarget/menutarget.d.ts","./node_modules/@mantine/core/lib/components/menu/menudivider/menudivider.d.ts","./node_modules/@mantine/core/lib/components/menu/menu.d.ts","./node_modules/@mantine/core/lib/components/menu/index.d.ts","./node_modules/@mantine/core/lib/components/modal/modalbody.d.ts","./node_modules/@mantine/core/lib/components/modal/modalclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modal/modalcontent.d.ts","./node_modules/@mantine/core/lib/components/modal/modalheader.d.ts","./node_modules/@mantine/core/lib/components/modal/modaloverlay.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.context.d.ts","./node_modules/@mantine/core/lib/components/modal/modalroot.d.ts","./node_modules/@mantine/core/lib/components/modal/modalstack.d.ts","./node_modules/@mantine/core/lib/components/modal/modaltitle.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.d.ts","./node_modules/@mantine/core/lib/components/modal/use-modals-stack.d.ts","./node_modules/@mantine/core/lib/components/modal/index.d.ts","./node_modules/@mantine/core/lib/components/multiselect/multiselect.d.ts","./node_modules/@mantine/core/lib/components/multiselect/index.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/nativeselect.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/index.d.ts","./node_modules/@mantine/core/lib/components/navlink/navlink.d.ts","./node_modules/@mantine/core/lib/components/navlink/index.d.ts","./node_modules/@mantine/core/lib/components/notification/notification.d.ts","./node_modules/@mantine/core/lib/components/notification/index.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/numberformatter.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/index.d.ts","./node_modules/react-number-format/types/types.d.ts","./node_modules/react-number-format/types/number_format_base.d.ts","./node_modules/react-number-format/types/numeric_format.d.ts","./node_modules/react-number-format/types/pattern_format.d.ts","./node_modules/react-number-format/types/index.d.ts","./node_modules/@mantine/core/lib/components/numberinput/numberinput.d.ts","./node_modules/@mantine/core/lib/components/numberinput/index.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.icons.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationcontrol/paginationcontrol.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationdots/paginationdots.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationedges/paginationedges.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationitems/paginationitems.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationroot/paginationroot.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.d.ts","./node_modules/@mantine/core/lib/components/pagination/index.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/passwordinput.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/index.d.ts","./node_modules/@mantine/core/lib/components/pill/pillgroup/pillgroup.d.ts","./node_modules/@mantine/core/lib/components/pill/pill.d.ts","./node_modules/@mantine/core/lib/components/pill/index.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinputfield/pillsinputfield.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinput.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/index.d.ts","./node_modules/@mantine/core/lib/components/pininput/pininput.d.ts","./node_modules/@mantine/core/lib/components/pininput/index.d.ts","./node_modules/@mantine/core/lib/components/progress/progresslabel/progresslabel.d.ts","./node_modules/@mantine/core/lib/components/progress/progressroot/progressroot.d.ts","./node_modules/@mantine/core/lib/components/progress/progresssection/progresssection.d.ts","./node_modules/@mantine/core/lib/components/progress/progress.d.ts","./node_modules/@mantine/core/lib/components/progress/index.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.d.ts","./node_modules/@mantine/core/lib/components/radio/radiogroup/radiogroup.d.ts","./node_modules/@mantine/core/lib/components/radio/radioicon.d.ts","./node_modules/@mantine/core/lib/components/radio/radioindicator/radioindicator.d.ts","./node_modules/@mantine/core/lib/components/radio/radio.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.context.d.ts","./node_modules/@mantine/core/lib/components/radio/index.d.ts","./node_modules/@mantine/core/lib/components/rating/rating.d.ts","./node_modules/@mantine/core/lib/components/rating/index.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/ringprogress.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/index.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/segmentedcontrol.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/index.d.ts","./node_modules/@mantine/core/lib/components/select/select.d.ts","./node_modules/@mantine/core/lib/components/select/index.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/semicircleprogress.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/index.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/simplegrid.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/index.d.ts","./node_modules/@mantine/core/lib/components/skeleton/skeleton.d.ts","./node_modules/@mantine/core/lib/components/skeleton/index.d.ts","./node_modules/@mantine/core/lib/components/slider/slider.context.d.ts","./node_modules/@mantine/core/lib/components/slider/slider/slider.d.ts","./node_modules/@mantine/core/lib/components/slider/rangeslider/rangeslider.d.ts","./node_modules/@mantine/core/lib/components/slider/index.d.ts","./node_modules/@mantine/core/lib/components/space/space.d.ts","./node_modules/@mantine/core/lib/components/space/index.d.ts","./node_modules/@mantine/core/lib/components/spoiler/spoiler.d.ts","./node_modules/@mantine/core/lib/components/spoiler/index.d.ts","./node_modules/@mantine/core/lib/components/stack/stack.d.ts","./node_modules/@mantine/core/lib/components/stack/index.d.ts","./node_modules/@mantine/core/lib/components/stepper/steppercompleted/steppercompleted.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepperstep/stepperstep.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepper.d.ts","./node_modules/@mantine/core/lib/components/stepper/index.d.ts","./node_modules/@mantine/core/lib/components/switch/switchgroup/switchgroup.d.ts","./node_modules/@mantine/core/lib/components/switch/switch.d.ts","./node_modules/@mantine/core/lib/components/switch/index.d.ts","./node_modules/@mantine/core/lib/components/table/table.components.d.ts","./node_modules/@mantine/core/lib/components/table/tabledatarenderer.d.ts","./node_modules/@mantine/core/lib/components/table/tablescrollcontainer.d.ts","./node_modules/@mantine/core/lib/components/table/table.d.ts","./node_modules/@mantine/core/lib/components/table/index.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/tableofcontents.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/index.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabslist/tabslist.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabspanel/tabspanel.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabstab/tabstab.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabs.d.ts","./node_modules/@mantine/core/lib/components/tabs/index.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/tagsinput.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/index.d.ts","./node_modules/@mantine/core/lib/components/textinput/textinput.d.ts","./node_modules/@mantine/core/lib/components/textinput/index.d.ts","./node_modules/@mantine/core/lib/components/themeicon/themeicon.d.ts","./node_modules/@mantine/core/lib/components/themeicon/index.d.ts","./node_modules/@mantine/core/lib/components/timeline/timelineitem/timelineitem.d.ts","./node_modules/@mantine/core/lib/components/timeline/timeline.d.ts","./node_modules/@mantine/core/lib/components/timeline/index.d.ts","./node_modules/@mantine/core/lib/components/title/title.d.ts","./node_modules/@mantine/core/lib/components/title/index.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.types.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipfloating/tooltipfloating.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipgroup/tooltipgroup.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.d.ts","./node_modules/@mantine/core/lib/components/tooltip/index.d.ts","./node_modules/@mantine/core/lib/components/tree/get-all-checked-nodes/get-all-checked-nodes.d.ts","./node_modules/@mantine/core/lib/components/tree/use-tree.d.ts","./node_modules/@mantine/core/lib/components/tree/tree.d.ts","./node_modules/@mantine/core/lib/components/tree/index.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/typographystylesprovider.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/index.d.ts","./node_modules/@mantine/core/lib/components/index.d.ts","./node_modules/@mantine/core/lib/index.d.mts","./src/lib/theme.ts","./src/types/api.ts","./src/app/error.tsx","./src/components/layout/logo.tsx","./src/components/layout/nav-bar.tsx","./src/app/layout.tsx","./src/app/loading.tsx","./src/app/page.tsx","./src/app/jobs/error.tsx","./src/context/jobs/jobs-provider.tsx","./src/app/jobs/layout.tsx","./src/app/jobs/loading.tsx","./node_modules/@tabler/icons-react/dist/esm/tabler-icons-react.d.ts","./src/components/jobs/search/search-bar.tsx","./src/components/jobs/filters/dropdown-filter.tsx","./src/components/jobs/filters/dropdown-sort.tsx","./src/components/jobs/filters/filter-section.tsx","./src/components/jobs/details/job-card.tsx","./src/components/jobs/details/job-list.tsx","./node_modules/@types/trusted-types/lib/index.d.ts","./node_modules/@types/trusted-types/index.d.ts","./node_modules/dompurify/dist/purify.es.d.mts","./node_modules/isomorphic-dompurify/index.d.ts","./src/components/jobs/details/job-details.tsx","./src/app/jobs/page.tsx","./src/app/jobs/[id]/page.tsx","./src/app/jobs/[id]/@modal/default.tsx","./node_modules/@types/estree/index.d.ts","./node_modules/@types/json-schema/index.d.ts","./node_modules/@types/json5/index.d.ts"],"fileIdsList":[[95,137,459,460],[95,137,459],[95,137,884],[95,137,885,886],[81,95,137,887],[81,95,137,888],[95,137],[95,137,303,858,933,934,935,936,937],[95,137,303],[95,137,858],[95,137,933,934,935,936,937,938],[81,95,137,712,714,858,897,898,899],[95,137,858,900],[95,137,898,899,900],[95,137,858,879],[95,137,940],[95,137,942],[81,95,137,712,714,858,945],[95,137,946],[95,137,948],[95,137,858,950,951,952,953,954,955,956],[81,95,137,712,714,858],[95,137,950,951,952,953,954,955,956,957],[95,137,959],[95,137,858,862,925,985],[95,137,986],[81,95,137,712,714,858,988],[95,137,988,989],[95,137,991],[95,137,993],[95,137,995],[95,137,997],[95,137,999],[81,95,137,712,714,858,897,1001,1002],[95,137,858,1003],[95,137,1001,1002,1003],[81,95,137,712,714,858,1005],[95,137,1005,1006],[95,137,1008],[95,137,858,1011,1012,1013,1014],[81,95,137,858],[95,137,858,925],[95,137,1012,1013,1014,1015,1016,1017,1018],[95,137,858,1020],[95,137,1020,1021],[81,95,137],[95,137,902,903],[95,137,1023],[95,137,859],[95,137,858,894,925,1033],[95,137,1034],[81,95,137,1027],[95,137,858,1025],[95,137,1025],[95,137,1030,1031],[95,137,1026,1028,1029,1032],[95,137,1036],[81,95,137,303,858,894,961,962,963,964,965,966,967,968,969,970,971,972,973,974,975],[95,137,976,978],[81,95,137,858,925],[95,137,858,894],[95,137,858,922],[95,137,979],[95,137,961,962,963,964,965,966,967,968,969,970,971,972,973,974,975,976,977,978,979,980,981,982,983,984],[95,137,303,861,977,979],[95,137,975],[95,137,1038],[95,137,1040],[95,137,858,868,883,941],[95,137,1042],[95,137,1044],[95,137,303,858,1052],[95,137,858,915,1046,1047,1048,1049,1050,1052,1053,1054],[95,137,858,915],[95,137,858,915,1051],[95,137,1046,1047,1048,1049,1050,1052,1053,1054,1055],[95,137,1057],[95,137,1059],[95,137,1061],[95,137,928,929],[81,95,137,870],[95,137,870],[95,137,869,870,871,872,873],[95,137,931],[95,137,1063],[95,137,303,858,1067],[95,137,858,1065,1066],[95,137,1066,1067],[95,137,905],[95,137,1069],[81,95,137,303,712,858,893,894,1071,1072],[95,137,303,894],[81,95,137,894],[95,137,1071,1072,1073],[95,137,1075],[95,137,860,862,864,866,868,874,876,879,883,894,897,901,904,906,915,925,927,930,932,939,941,943,945,947,949,958,960,985,987,990,992,994,996,998,1000,1004,1007,1009,1019,1022,1024,1033,1035,1037,1039,1041,1043,1045,1056,1058,1060,1062,1064,1068,1070,1074,1076,1079,1081,1083,1085,1088,1090,1092,1099,1111,1113,1115,1117,1119,1121,1128,1136,1138,1141,1144,1146,1151,1158,1160,1162,1164,1166,1168,1170,1172,1176,1178,1180,1182,1186,1189,1194,1196,1201,1203,1205,1207,1210,1212,1217,1221,1223],[95,137,1078],[95,137,858,1077],[95,137,1010],[95,137,916,917,918,919,920,921,922,923,924],[81,95,137,712,714,858,916,917,918,919,920,921],[95,137,858,904],[95,137,303,858,921],[95,137,858,917,918,919],[81,95,137,858,922],[95,137,926],[81,95,137,712,714,858,925],[95,137,1082],[95,137,858,925,1081],[95,137,1084],[95,137,1086,1087],[95,137,858,1086],[95,137,895,896],[95,137,858,895],[95,137,1089],[95,137,858,876,883,897],[95,137,1091],[95,137,1093,1094,1095,1096,1097,1098],[81,95,137,303,712,714,858,894,1093,1094,1095,1096,1097],[95,137,1100,1101,1102,1103,1104,1106,1107,1108,1109,1110],[95,137,303,858,1106],[95,137,858,915,1100,1101,1102,1103,1104,1106,1107,1108],[95,137,858,915,1105],[95,137,907,908,909,910,911,912,913,914],[81,95,137,500,858,879,883],[81,95,137,858,904],[81,95,137,858,883],[81,95,137,858,876,883],[95,137,1112],[95,137,1114],[95,137,858,925,985],[95,137,1116],[95,137,1118],[95,137,1120],[95,137,303,858],[95,137,1127],[81,95,137,858,925,1126],[95,137,875],[95,137,1130,1131,1132,1133,1134,1135],[95,137,858,1129,1130,1131,1132,1133,1134],[95,137,858,1129],[81,95,137,858,1129],[95,137,303,1129],[95,137,867],[95,137,1137],[95,137,1139,1140],[95,137,858,1139],[95,137,1142,1143],[95,137,858,925,1142],[95,137,1145],[95,137,890,891,892,893],[95,137,303,712,858,874,876,879,883,890,891,892],[95,137,889],[95,137,858,893],[95,137,877,878],[95,137,303,877],[95,137,1147,1148,1149,1150],[95,137,858,1147,1148,1149],[95,137,1152,1153,1154,1155,1156,1157],[95,137,858,1011,1152,1153,1154,1155],[95,137,858,1154],[95,137,1159],[95,137,1161],[95,137,861],[95,137,1163],[95,137,1165],[95,137,1167],[95,137,1169],[95,137,1171],[95,137,1173,1174,1175],[95,137,858,883,1173],[95,137,1177],[95,137,1179],[95,137,1181],[95,137,1183,1184,1185],[95,137,858,1183,1184],[95,137,858,1185],[95,137,1187,1188],[95,137,858,1011,1187],[95,137,1190,1192,1193],[95,137,858,1193],[95,137,858,1190,1191,1192],[95,137,303,1193],[95,137,1195],[95,137,819,858,864],[95,137,1197,1198,1199,1200],[95,137,858,1197,1198,1199],[95,137,858,864],[95,137,1202],[95,137,944],[95,137,1080],[95,137,1204],[95,137,1206],[95,137,1208,1209],[95,137,858,1208],[95,137,1211],[95,137,1213,1214,1215,1216],[95,137,858,874,883,1213,1214,1215],[95,137,858,874,879,889,1216],[95,137,858,1213],[95,137,678,881],[95,137,880,881,882],[95,137,303,880],[95,137,1220],[95,137,1218,1219,1220],[95,137,858,1219],[95,137,1218,1220],[95,137,1222],[95,137,863],[95,137,865],[81,95,137,680,698,716,844],[95,137,844],[95,137,680,844],[95,137,680,698,699,700,717],[95,137,681],[95,137,681,682,692,697],[95,137,681,692,696,844],[95,137,695,697],[95,137,683,684,685,686,687,688,689,690],[95,137,681,691],[81,95,137,303],[95,137,856],[95,137,712,714],[95,137,711,844],[95,137,712,713,714,715],[81,95,137,712,713],[95,137,695,711,716,718,844,855,857],[95,137,693,694],[95,137,303,693],[95,137,732],[95,137,679,719,720,721,722,723,724,725,726,727,728,729,730],[95,137,718,732],[95,137,733,734,735],[95,137,733],[95,137,303,732],[95,137,822],[95,137,827],[95,137,718],[95,137,828],[95,137,731,732,736,821,823,824,826,829,830,832,835,836,838,839,840,841,842,843],[81,95,137,732,829],[95,137,732,829],[95,137,831,832,833,834],[95,137,303,732,736,830,835],[95,137,837],[81,95,137,303,732],[95,137,825],[95,137,678,731],[95,137,737,738,820],[95,137,819],[95,137,732,736],[95,137,732,819],[95,137,716,718,844],[95,137,701,702,704,707,708,709,710],[95,137,701,716,718,844],[95,137,702,716],[95,137,702,844],[95,137,703,844],[81,95,137,702,705,718,844],[95,137,706,844],[81,95,137,718,844],[81,95,137,701,702,716,718],[95,137,845],[95,137,501,502,503,506,507,508,509,510,511,512,513,514,515,516,517,518,519,845,846,847,848,849,850,851,852,853,854],[95,137,504,505],[95,137,500,858,1224],[95,137,745,746,747,748,749,750,751,752,753,754,755,756,757,758,759,760,761,762,763,764,765,767,768,769,770,771,772,773,774,775,776,777,778,779,780,781,782,783,784,785,787,788,789,790,791,792,793,794,795,796,797,798,799,800,801,802,803,804,805,806,807,808,809,810,811,812,813,814,815,816,817,818],[95,137,750],[95,137,786],[95,137,766],[95,137,739,740,741,742,743,744],[95,134,137],[95,136,137],[137],[95,137,142,171],[95,137,138,143,149,150,157,168,179],[95,137,138,139,149,157],[90,91,92,95,137],[95,137,140,180],[95,137,141,142,150,158],[95,137,142,168,176],[95,137,143,145,149,157],[95,136,137,144],[95,137,145,146],[95,137,149],[95,137,147,149],[95,136,137,149],[95,137,149,150,151,168,179],[95,137,149,150,151,164,168,171],[95,132,137,184],[95,137,145,149,152,157,168,179],[95,137,149,150,152,153,157,168,176,179],[95,137,152,154,168,176,179],[93,94,95,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,149,155],[95,137,156,179,184],[95,137,145,149,157,168],[95,137,158],[95,137,159],[95,136,137,160],[95,134,135,136,137,138,139,140,141,142,143,144,145,146,147,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,162],[95,137,163],[95,137,149,164,165],[95,137,164,166,180,182],[95,137,149,168,169,170,171],[95,137,168,170],[95,137,168,169],[95,137,171],[95,137,172],[95,134,137,168],[95,137,149,174,175],[95,137,174,175],[95,137,142,157,168,176],[95,137,177],[95,137,157,178],[95,137,152,163,179],[95,137,142,180],[95,137,168,181],[95,137,156,182],[95,137,183],[95,137,142,149,151,160,168,179,182,184],[95,137,168,185],[81,95,137,189,191],[81,85,95,137,187,188,189,190,405,452],[81,85,95,137,188,191,405,452],[81,85,95,137,187,191,405,452],[79,80,95,137],[95,137,1245],[95,137,1246],[95,137,1247],[87,95,137],[95,137,409],[95,137,411,412,413,414],[95,137,416],[95,137,195,208,209,210,212,369],[95,137,195,199,201,202,203,204,358,369,371],[95,137,369],[95,137,209,225,302,349,365],[95,137,195],[95,137,389],[95,137,369,371,388],[95,137,288,302,330,457],[95,137,295,312,349,364],[95,137,250],[95,137,353],[95,137,352,353,354],[95,137,352],[89,95,137,152,192,195,202,205,206,207,209,213,281,286,332,340,350,360,369,405],[95,137,195,211,239,284,369,385,386,457],[95,137,211,457],[95,137,284,285,286,369,457],[95,137,457],[95,137,195,211,212,457],[95,137,205,351,357],[95,137,163,303,365],[95,137,303,365],[81,95,137,282,303,304],[95,137,230,248,365,441],[95,137,346,436,437,438,439,440],[95,137,345],[95,137,345,346],[95,137,203,227,228,282],[95,137,229,230,282],[95,137,282],[81,95,137,196,430],[81,95,137,179],[81,95,137,211,237],[81,95,137,211],[95,137,235,240],[81,95,137,236,408],[81,85,95,137,152,186,187,188,191,405,450,451],[95,137,150,152,199,225,253,271,282,355,369,370,457],[95,137,340,356],[95,137,405],[95,137,194],[95,137,163,288,300,321,323,364,365],[95,137,163,288,300,320,321,322,364,365],[95,137,314,315,316,317,318,319],[95,137,316],[95,137,320],[81,95,137,236,303,408],[81,95,137,303,406,408],[81,95,137,303,408],[95,137,271,361],[95,137,361],[95,137,152,370,408],[95,137,308],[95,136,137,307],[95,137,221,222,224,254,282,295,296,297,299,332,364,367,370],[95,137,298],[95,137,222,230,282],[95,137,295,364],[95,137,295,304,305,306,308,309,310,311,312,313,324,325,326,327,328,329,364,365,457],[95,137,293],[95,137,152,163,199,220,222,224,225,226,230,258,271,280,281,332,360,369,370,371,405,457],[95,137,364],[95,136,137,209,224,281,297,312,360,362,363,370],[95,137,295],[95,136,137,220,254,274,289,290,291,292,293,294],[95,137,152,274,275,289,370,371],[95,137,209,271,281,282,297,360,364,370],[95,137,152,369,371],[95,137,152,168,367,370,371],[95,137,152,163,179,192,199,211,221,222,224,225,226,231,253,254,255,257,258,261,262,264,267,268,269,270,282,359,360,365,367,369,370,371],[95,137,152,168],[95,137,195,196,197,199,206,367,368,405,408,457],[95,137,152,168,179,215,387,389,390,391,457],[95,137,163,179,192,215,225,254,255,262,271,279,282,360,365,367,372,373,379,385,401,402],[95,137,205,206,281,340,351,360,369],[95,137,152,179,196,254,367,369,377],[95,137,287],[95,137,152,398,399,400],[95,137,367,369],[95,137,199,224,254,359,408],[95,137,152,163,262,271,367,373,379,381,385,401,404],[95,137,152,205,340,385,394],[95,137,195,231,359,369,396],[95,137,152,211,231,369,380,381,392,393,395,397],[89,95,137,222,223,224,405,408],[95,137,152,163,179,199,205,213,221,225,226,254,255,257,258,270,271,279,282,340,359,360,365,366,367,372,373,374,376,378,408],[95,137,152,168,205,367,379,398,403],[95,137,335,336,337,338,339],[95,137,261,263],[95,137,265],[95,137,263],[95,137,265,266],[95,137,152,199,220,370],[81,95,137,152,163,194,196,199,221,222,224,225,226,252,367,371,405,408],[95,137,152,163,179,198,203,254,366,370],[95,137,289],[95,137,290],[95,137,291],[95,137,214,218],[95,137,152,199,214,221],[95,137,217,218],[95,137,219],[95,137,214,215],[95,137,214,232],[95,137,214],[95,137,260,261,366],[95,137,259],[95,137,215,365,366],[95,137,256,366],[95,137,215,365],[95,137,332],[95,137,216,221,223,254,282,288,297,300,301,331,367,370],[95,137,230,241,244,245,246,247,248],[95,137,348],[95,137,209,223,224,275,282,295,308,312,341,342,343,344,346,347,350,359,364,369],[95,137,230],[95,137,252],[95,137,152,221,223,233,249,251,253,367,405,408],[95,137,230,241,242,243,244,245,246,247,248,406],[95,137,215],[95,137,275,276,279,360],[95,137,152,261,369],[95,137,152],[95,137,274,295],[95,137,273],[95,137,270,275],[95,137,272,274,369],[95,137,152,198,275,276,277,278,369,370],[81,95,137,227,229,282],[95,137,283],[81,95,137,196],[81,95,137,365],[81,89,95,137,224,226,405,408],[95,137,196,430,431],[81,95,137,240],[81,95,137,163,179,194,234,236,238,239,408],[95,137,211,365,370],[95,137,365,375],[81,95,137,150,152,163,194,240,284,405,406,407],[81,95,137,187,188,191,405,452],[81,82,83,84,85,95,137],[95,137,142],[95,137,382,383,384],[95,137,382],[81,85,95,137,152,154,163,186,187,188,189,191,192,194,258,320,371,404,408,452],[95,137,418],[95,137,420],[95,137,422],[95,137,424],[95,137,426,427,428],[95,137,432],[86,88,95,137,410,415,417,419,421,423,425,429,433,435,443,444,446,455,456,457,458],[95,137,434],[95,137,442],[95,137,236],[95,137,445],[95,136,137,275,276,277,279,311,365,447,448,449,452,453,454],[95,137,186],[95,137,478],[95,137,476,478],[95,137,467,475,476,477,479],[95,137,465],[95,137,468,473,478,481],[95,137,464,481],[95,137,468,469,472,473,474,481],[95,137,468,469,470,472,473,481],[95,137,465,466,467,468,469,473,474,475,477,478,479,481],[95,137,481],[95,137,463,465,466,467,468,469,470,472,473,474,475,476,477,478,479,480],[95,137,463,481],[95,137,468,470,471,473,474,481],[95,137,472,481],[95,137,473,474,478,481],[95,137,466,476],[95,137,1122,1123,1124,1125],[81,95,137,1122],[95,137,1122],[95,137,498],[95,137,499],[95,137,168,186],[95,137,483,484],[95,137,482,485],[95,137,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541,542,545,546,547,548,549,550,551,552,553,554,555,563,564,565,566,568,569,571,572,573,574,575,576,577,578,579,580,581,582,583,584,585,586,587,588,589,590,591,592,593,594,595,596,597,598,599,600,601,602,603,604,605,606,607,608,609,610,611,612,613,614,615,616,617,618,619,620,621,622,623,624,625,626,627,628,629,630,631,632,633,634,635,636,637,638,639,640,641,642,643,644,645,646,647,648,649,650,651,652,653,654,655,656,657,658,659,660,661,662,663,664,665,666,667,668,669,670,671,672,673,674,675,676,677],[95,137,532],[95,137,532,548,551,553,554,562,580,584,613],[95,137,537,554,562,581],[95,137,562],[95,137,622],[95,137,652],[95,137,537,562,653],[95,137,653],[95,137,533,607],[95,137,542],[95,137,528,532,536,562,567,608],[95,137,607],[95,137,537,562,656],[95,137,656],[95,137,525],[95,137,539],[95,137,620],[95,137,520,525,532,562,589],[95,137,562,582,585,632,670],[95,137,553],[95,137,532,548,551,552,562],[95,137,600],[95,137,637],[95,137,530],[95,137,639],[95,137,545],[95,137,528],[95,137,541],[95,137,588],[95,137,589],[95,137,580,643],[95,137,562,581],[95,137,537,542],[95,137,543,544,556,557,558,559,560,561],[95,137,545,549,557],[95,137,537,541,557],[95,137,525,537,539,557,558,560],[95,137,544,548,550,556],[95,137,537,548,553,555],[95,137,520,541],[95,137,548],[95,137,546,548,562],[95,137,520,541,542,548,562],[95,137,537,542,645],[95,137,522],[95,137,521,522,528,537,541,545,548,562,589],[95,137,660],[95,137,658],[95,137,524],[95,137,554],[95,137,564,630],[95,137,520],[95,137,536,537,562,564,565,566,567,568,569,570,571],[95,137,539,564,565],[95,137,532,581],[95,137,531,534],[95,137,546,547],[95,137,532,537,541,562,571,582,584,585,586],[95,137,566],[95,137,522,585],[95,137,562,566,590],[95,137,653,662],[95,137,528,537,545,553,562,581],[95,137,524,537,539,541,562,582],[95,137,533],[95,137,562,574],[95,137,656,665,668],[95,137,525,533,539,562],[95,137,537,562,589],[95,137,537,545,562,571,579,582,601,602],[95,137,525,533,537,539,562,600],[95,137,537,541,562],[95,137,537,539,541,562],[95,137,562,567],[95,137,529,562],[95,137,530,539],[95,137,548,549],[95,137,562,612,614],[95,137,521,627],[95,137,532,548,551,552,555,562,580],[95,137,532,548,551,552,562,581],[95,137,524,541],[95,137,533,539],[95,104,108,137,179],[95,104,137,168,179],[95,99,137],[95,101,104,137,176,179],[95,137,157,176],[95,99,137,186],[95,101,104,137,157,179],[95,96,97,100,103,137,149,168,179],[95,104,111,137],[95,96,102,137],[95,104,125,126,137],[95,100,104,137,171,179,186],[95,125,137,186],[95,98,99,137,186],[95,104,137],[95,98,99,100,101,102,103,104,105,106,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,126,127,128,129,130,131,137],[95,104,119,137],[95,104,111,112,137],[95,102,104,112,113,137],[95,103,137],[95,96,99,104,137],[95,104,108,112,113,137],[95,108,137],[95,102,104,107,137,179],[95,96,101,104,111,137],[95,137,168],[95,99,104,125,137,184,186],[95,137,1225,1249],[81,95,137,1235],[95,137,1225,1239,1242,1244,1249],[81,95,137,425,1225,1226,1230],[95,137,1225],[95,137,1225,1238,1248],[95,137,1243],[95,137,1225,1240,1241],[95,137,1225,1238],[95,137,435,1225,1229],[81,95,137,488,489],[81,95,137,488,489,490,497],[81,95,137,489,490,491],[81,95,137,490],[81,95,137,443,489],[95,137,488,495,496],[95,137,486]],"fileInfos":[{"version":"e41c290ef7dd7dab3493e6cbe5909e0148edf4a8dad0271be08edec368a0f7b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"feecb1be483ed332fad555aff858affd90a48ab19ba7272ee084704eb7167569","impliedFormat":1},{"version":"ee7bad0c15b58988daa84371e0b89d313b762ab83cb5b31b8a2d1162e8eb41c2","impliedFormat":1},{"version":"27bdc30a0e32783366a5abeda841bc22757c1797de8681bbe81fbc735eeb1c10","impliedFormat":1},{"version":"8fd575e12870e9944c7e1d62e1f5a73fcf23dd8d3a321f2a2c74c20d022283fe","impliedFormat":1},{"version":"e12a46ce14b817d4c9e6b2b478956452330bf00c9801b79de46f7a1815b5bd40","impliedFormat":1},{"version":"4fd3f3422b2d2a3dfd5cdd0f387b3a8ec45f006c6ea896a4cb41264c2100bb2c","affectsGlobalScope":true,"impliedFormat":1},{"version":"69e65d976bf166ce4a9e6f6c18f94d2424bf116e90837ace179610dbccad9b42","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"62bb211266ee48b2d0edf0d8d1b191f0c24fc379a82bd4c1692a082c540bc6b1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"936e80ad36a2ee83fc3caf008e7c4c5afe45b3cf3d5c24408f039c1d47bdc1df","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"fef8cfad2e2dc5f5b3d97a6f4f2e92848eb1b88e897bb7318cef0e2820bceaab","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"f1e2a172204962276504466a6393426d2ca9c54894b1ad0a6c9dad867a65f876","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"af3dd424cf267428f30ccfc376f47a2c0114546b55c44d8c0f1d57d841e28d74","affectsGlobalScope":true,"impliedFormat":1},{"version":"995c005ab91a498455ea8dfb63aa9f83fa2ea793c3d8aa344be4a1678d06d399","affectsGlobalScope":true,"impliedFormat":1},{"version":"959d36cddf5e7d572a65045b876f2956c973a586da58e5d26cde519184fd9b8a","affectsGlobalScope":true,"impliedFormat":1},{"version":"965f36eae237dd74e6cca203a43e9ca801ce38824ead814728a2807b1910117d","affectsGlobalScope":true,"impliedFormat":1},{"version":"3925a6c820dcb1a06506c90b1577db1fdbf7705d65b62b99dce4be75c637e26b","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a3d63ef2b853447ec4f749d3f368ce642264246e02911fcb1590d8c161b8005","affectsGlobalScope":true,"impliedFormat":1},{"version":"b5ce7a470bc3628408429040c4e3a53a27755022a32fd05e2cb694e7015386c7","affectsGlobalScope":true,"impliedFormat":1},{"version":"8444af78980e3b20b49324f4a16ba35024fef3ee069a0eb67616ea6ca821c47a","affectsGlobalScope":true,"impliedFormat":1},{"version":"3287d9d085fbd618c3971944b65b4be57859f5415f495b33a6adc994edd2f004","affectsGlobalScope":true,"impliedFormat":1},{"version":"b4b67b1a91182421f5df999988c690f14d813b9850b40acd06ed44691f6727ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"bab26767638ab3557de12c900f0b91f710c7dc40ee9793d5a27d32c04f0bf646","affectsGlobalScope":true,"impliedFormat":1},{"version":"436aaf437562f276ec2ddbee2f2cdedac7664c1e4c1d2c36839ddd582eeb3d0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e3c06ea092138bf9fa5e874a1fdbc9d54805d074bee1de31b99a11e2fec239d","affectsGlobalScope":true,"impliedFormat":1},{"version":"87dc0f382502f5bbce5129bdc0aea21e19a3abbc19259e0b43ae038a9fc4e326","affectsGlobalScope":true,"impliedFormat":1},{"version":"b1cb28af0c891c8c96b2d6b7be76bd394fddcfdb4709a20ba05a7c1605eea0f9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2fef54945a13095fdb9b84f705f2b5994597640c46afeb2ce78352fab4cb3279","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac77cb3e8c6d3565793eb90a8373ee8033146315a3dbead3bde8db5eaf5e5ec6","affectsGlobalScope":true,"impliedFormat":1},{"version":"56e4ed5aab5f5920980066a9409bfaf53e6d21d3f8d020c17e4de584d29600ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ece9f17b3866cc077099c73f4983bddbcb1dc7ddb943227f1ec070f529dedd1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a6282c8827e4b9a95f4bf4f5c205673ada31b982f50572d27103df8ceb8013c","affectsGlobalScope":true,"impliedFormat":1},{"version":"1c9319a09485199c1f7b0498f2988d6d2249793ef67edda49d1e584746be9032","affectsGlobalScope":true,"impliedFormat":1},{"version":"e3a2a0cee0f03ffdde24d89660eba2685bfbdeae955a6c67e8c4c9fd28928eeb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811c71eee4aa0ac5f7adf713323a5c41b0cf6c4e17367a34fbce379e12bbf0a4","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"d4b1d2c51d058fc21ec2629fff7a76249dec2e36e12960ea056e3ef89174080f","affectsGlobalScope":true,"impliedFormat":1},{"version":"61d6a2092f48af66dbfb220e31eea8b10bc02b6932d6e529005fd2d7b3281290","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"36a2e4c9a67439aca5f91bb304611d5ae6e20d420503e96c230cf8fcdc948d94","affectsGlobalScope":true,"impliedFormat":1},{"version":"8a8eb4ebffd85e589a1cc7c178e291626c359543403d58c9cd22b81fab5b1fb9","impliedFormat":1},{"version":"da172a28c35d5f298bf5f0361725cc80f45e89e803a353c56e1aa347e10f572d","impliedFormat":1},{"version":"acd8fd5090ac73902278889c38336ff3f48af6ba03aa665eb34a75e7ba1dccc4","impliedFormat":1},{"version":"d6258883868fb2680d2ca96bc8b1352cab69874581493e6d52680c5ffecdb6cc","impliedFormat":1},{"version":"1b61d259de5350f8b1e5db06290d31eaebebc6baafd5f79d314b5af9256d7153","impliedFormat":1},{"version":"f258e3960f324a956fc76a3d3d9e964fff2244ff5859dcc6ce5951e5413ca826","impliedFormat":1},{"version":"643f7232d07bf75e15bd8f658f664d6183a0efaca5eb84b48201c7671a266979","impliedFormat":1},{"version":"0f6666b58e9276ac3a38fdc80993d19208442d6027ab885580d93aec76b4ef00","impliedFormat":1},{"version":"05fd364b8ef02fb1e174fbac8b825bdb1e5a36a016997c8e421f5fab0a6da0a0","impliedFormat":1},{"version":"631eff75b0e35d1b1b31081d55209abc43e16b49426546ab5a9b40bdd40b1f60","impliedFormat":1},{"version":"70521b6ab0dcba37539e5303104f29b721bfb2940b2776da4cc818c07e1fefc1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ab41ef1f2cdafb8df48be20cd969d875602483859dc194e9c97c8a576892c052","affectsGlobalScope":true,"impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"21d819c173c0cf7cc3ce57c3276e77fd9a8a01d35a06ad87158781515c9a438a","impliedFormat":1},{"version":"a79e62f1e20467e11a904399b8b18b18c0c6eea6b50c1168bf215356d5bebfaf","affectsGlobalScope":true,"impliedFormat":1},{"version":"0fd06258805d26c72f5997e07a23155d322d5f05387adb3744a791fe6a0b042d","affectsGlobalScope":true,"impliedFormat":1},{"version":"5929864ce17fba74232584d90cb721a89b7ad277220627cc97054ba15a98ea8f","impliedFormat":1},{"version":"24bd580b5743dc56402c440dc7f9a4f5d592ad7a419f25414d37a7bfe11e342b","impliedFormat":1},{"version":"25c8056edf4314820382a5fdb4bb7816999acdcb929c8f75e3f39473b87e85bc","impliedFormat":1},{"version":"c464d66b20788266e5353b48dc4aa6bc0dc4a707276df1e7152ab0c9ae21fad8","impliedFormat":1},{"version":"78d0d27c130d35c60b5e5566c9f1e5be77caf39804636bc1a40133919a949f21","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"1d6e127068ea8e104a912e42fc0a110e2aa5a66a356a917a163e8cf9a65e4a75","impliedFormat":1},{"version":"5ded6427296cdf3b9542de4471d2aa8d3983671d4cac0f4bf9c637208d1ced43","impliedFormat":1},{"version":"6bdc71028db658243775263e93a7db2fd2abfce3ca569c3cca5aee6ed5eb186d","impliedFormat":1},{"version":"cadc8aced301244057c4e7e73fbcae534b0f5b12a37b150d80e5a45aa4bebcbd","impliedFormat":1},{"version":"385aab901643aa54e1c36f5ef3107913b10d1b5bb8cbcd933d4263b80a0d7f20","impliedFormat":1},{"version":"9670d44354bab9d9982eca21945686b5c24a3f893db73c0dae0fd74217a4c219","impliedFormat":1},{"version":"0b8a9268adaf4da35e7fa830c8981cfa22adbbe5b3f6f5ab91f6658899e657a7","impliedFormat":1},{"version":"11396ed8a44c02ab9798b7dca436009f866e8dae3c9c25e8c1fbc396880bf1bb","impliedFormat":1},{"version":"ba7bc87d01492633cb5a0e5da8a4a42a1c86270e7b3d2dea5d156828a84e4882","impliedFormat":1},{"version":"4893a895ea92c85345017a04ed427cbd6a1710453338df26881a6019432febdd","impliedFormat":1},{"version":"c21dc52e277bcfc75fac0436ccb75c204f9e1b3fa5e12729670910639f27343e","impliedFormat":1},{"version":"13f6f39e12b1518c6650bbb220c8985999020fe0f21d818e28f512b7771d00f9","impliedFormat":1},{"version":"9b5369969f6e7175740bf51223112ff209f94ba43ecd3bb09eefff9fd675624a","impliedFormat":1},{"version":"4fe9e626e7164748e8769bbf74b538e09607f07ed17c2f20af8d680ee49fc1da","impliedFormat":1},{"version":"24515859bc0b836719105bb6cc3d68255042a9f02a6022b3187948b204946bd2","impliedFormat":1},{"version":"ea0148f897b45a76544ae179784c95af1bd6721b8610af9ffa467a518a086a43","impliedFormat":1},{"version":"24c6a117721e606c9984335f71711877293a9651e44f59f3d21c1ea0856f9cc9","impliedFormat":1},{"version":"dd3273ead9fbde62a72949c97dbec2247ea08e0c6952e701a483d74ef92d6a17","impliedFormat":1},{"version":"405822be75ad3e4d162e07439bac80c6bcc6dbae1929e179cf467ec0b9ee4e2e","impliedFormat":1},{"version":"0db18c6e78ea846316c012478888f33c11ffadab9efd1cc8bcc12daded7a60b6","impliedFormat":1},{"version":"4d2b0eb911816f66abe4970898f97a2cfc902bcd743cbfa5017fad79f7ef90d8","impliedFormat":1},{"version":"bd0532fd6556073727d28da0edfd1736417a3f9f394877b6d5ef6ad88fba1d1a","impliedFormat":1},{"version":"89167d696a849fce5ca508032aabfe901c0868f833a8625d5a9c6e861ef935d2","impliedFormat":1},{"version":"e53a3c2a9f624d90f24bf4588aacd223e7bec1b9d0d479b68d2f4a9e6011147f","impliedFormat":1},{"version":"24b8685c62562f5d98615c5a0c1d05f297cf5065f15246edfe99e81ec4c0e011","impliedFormat":1},{"version":"93507c745e8f29090efb99399c3f77bec07db17acd75634249dc92f961573387","impliedFormat":1},{"version":"339dc5265ee5ed92e536a93a04c4ebbc2128f45eeec6ed29f379e0085283542c","impliedFormat":1},{"version":"4732aec92b20fb28c5fe9ad99521fb59974289ed1e45aecb282616202184064f","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"bf67d53d168abc1298888693338cb82854bdb2e69ef83f8a0092093c2d562107","impliedFormat":1},{"version":"ca6d304b929748ea15c33f28c1f159df18a94470b424ab78c52d68d40a41e1e9","affectsGlobalScope":true,"impliedFormat":1},{"version":"a72ffc815104fb5c075106ebca459b2d55d07862a773768fce89efc621b3964b","impliedFormat":1},{"version":"7394959e5a741b185456e1ef5d64599c36c60a323207450991e7a42e08911419","impliedFormat":1},{"version":"3d77c73be94570813f8cadd1f05ebc3dc5e2e4fdefe4d340ca20cd018724ee36","impliedFormat":1},{"version":"d674383111e06b6741c4ad2db962131b5b0fa4d0294b998566c635e86195a453","affectsGlobalScope":true,"impliedFormat":1},{"version":"f3e58c4c18a031cbb17abec7a4ad0bd5ae9fc70c1f4ba1e7fb921ad87c504aca","impliedFormat":1},{"version":"a3e8bafb2af8e850c644f4be7f5156cf7d23b7bfdc3b786bd4d10ed40329649c","impliedFormat":1},{"version":"35ec8b6760fd7138bbf5809b84551e31028fb2ba7b6dc91d95d098bf212ca8b4","affectsGlobalScope":true,"impliedFormat":1},{"version":"a40826e8476694e90da94aa008283a7de50d1dafd37beada623863f1901cb7fb","impliedFormat":1},{"version":"f77d9188e41291acf14f476e931972460a303e1952538f9546e7b370cb8d0d20","affectsGlobalScope":true,"impliedFormat":1},{"version":"b0c0d1d13be149f790a75b381b413490f98558649428bb916fd2d71a3f47a134","impliedFormat":1},{"version":"3c884d9d9ec454bdf0d5a0b8465bf8297d2caa4d853851d92cc417ac6f30b969","impliedFormat":1},{"version":"5a369483ac4cfbdf0331c248deeb36140e6907db5e1daed241546b4a2055f82c","impliedFormat":1},{"version":"e8f5b5cc36615c17d330eaf8eebbc0d6bdd942c25991f96ef122f246f4ff722f","impliedFormat":1},{"version":"f0bd7e6d931657b59605c44112eaf8b980ba7f957a5051ed21cb93d978cf2f45","impliedFormat":1},{"version":"ee1ee365d88c4c6c0c0a5a5701d66ebc27ccd0bcfcfaa482c6e2e7fe7b98edf7","affectsGlobalScope":true,"impliedFormat":1},{"version":"0ada07543808f3b967624645a8e1ccd446f8b01ade47842acf1328aec899fed0","affectsGlobalScope":true,"impliedFormat":1},{"version":"c4a806152acbef81593f96cae6f2b04784d776457d97adbe2694478b243fcf03","impliedFormat":1},{"version":"ad23fd126ff06e72728dd7bfc84326a8ca8cec2b9d2dac0193d42a777df0e7d8","impliedFormat":1},{"version":"c60db41f7bee80fb80c0b12819f5e465c8c8b465578da43e36d04f4a4646f57d","impliedFormat":1},{"version":"93bd413918fa921c8729cef45302b24d8b6c7855d72d5bf82d3972595ae8dcbf","impliedFormat":1},{"version":"4ff41188773cbf465807dd2f7059c7494cbee5115608efc297383832a1150c43","impliedFormat":1},{"version":"dccdf1677e531e33f8ac961a68bc537418c9a414797c1ea7e91307501cdc3f5e","impliedFormat":1},{"version":"1f4fc6905c4c3ae701838f89484f477b8d9b3ef39270e016b5488600d247d9a5","affectsGlobalScope":true,"impliedFormat":1},{"version":"d206b4baf4ddcc15d9d69a9a2f4999a72a2c6adeaa8af20fa7a9960816287555","impliedFormat":1},{"version":"93f437e1398a4f06a984f441f7fa7a9f0535c04399619b5c22e0b87bdee182cb","impliedFormat":1},{"version":"afbe24ab0d74694372baa632ecb28bb375be53f3be53f9b07ecd7fc994907de5","impliedFormat":1},{"version":"70731d10d5311bd4cf710ef7f6539b62660f4b0bfdbb3f9fbe1d25fe6366a7fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"6b19db3600a17af69d4f33d08cc7076a7d19fb65bb36e442cac58929ec7c9482","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e043a1bc8fbf2a255bccf9bf27e0f1caf916c3b0518ea34aa72357c0afd42ec","impliedFormat":1},{"version":"137c2894e8f3e9672d401cc0a305dc7b1db7c69511cf6d3970fb53302f9eae09","impliedFormat":1},{"version":"3bc2f1e2c95c04048212c569ed38e338873f6a8593930cf5a7ef24ffb38fc3b6","impliedFormat":1},{"version":"8145e07aad6da5f23f2fcd8c8e4c5c13fb26ee986a79d03b0829b8fce152d8b2","impliedFormat":1},{"version":"f9d9d753d430ed050dc1bf2667a1bab711ccbb1c1507183d794cc195a5b085cc","impliedFormat":1},{"version":"9eece5e586312581ccd106d4853e861aaaa1a39f8e3ea672b8c3847eedd12f6e","impliedFormat":1},{"version":"235bfb54b4869c26f7e98e3d1f68dbfc85acf4cf5c38a4444a006fbf74a8a43d","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"93452d394fdd1dc551ec62f5042366f011a00d342d36d50793b3529bfc9bd633","impliedFormat":1},{"version":"bb715efb4857eb94539eafb420352105a0cff40746837c5140bf6b035dd220ba","affectsGlobalScope":true,"impliedFormat":1},{"version":"1851a3b4db78664f83901bb9cac9e45e03a37bb5933cc5bf37e10bb7e91ab4eb","impliedFormat":1},{"version":"fdedf82878e4c744bc2a1c1e802ae407d63474da51f14a54babe039018e53d8f","affectsGlobalScope":true,"impliedFormat":1},{"version":"27d8987fd22d92efe6560cf0ce11767bf089903ffe26047727debfd1f3bf438b","affectsGlobalScope":true,"impliedFormat":1},{"version":"578d8bb6dcb2a1c03c4c3f8eb71abc9677e1a5c788b7f24848e3138ce17f3400","impliedFormat":1},{"version":"4f029899f9bae07e225c43aef893590541b2b43267383bf5e32e3a884d219ed5","impliedFormat":1},{"version":"ae56f65caf3be91108707bd8dfbccc2a57a91feb5daabf7165a06a945545ed26","impliedFormat":1},{"version":"a136d5de521da20f31631a0a96bf712370779d1c05b7015d7019a9b2a0446ca9","impliedFormat":1},{"version":"5b566927cad2ed2139655d55d690ffa87df378b956e7fe1c96024c4d9f75c4cf","affectsGlobalScope":true,"impliedFormat":1},{"version":"bce947017cb7a2deebcc4f5ba04cead891ce6ad1602a4438ae45ed9aa1f39104","affectsGlobalScope":true,"impliedFormat":1},{"version":"d3dffd70e6375b872f0b4e152de4ae682d762c61a24881ecc5eb9f04c5caf76f","impliedFormat":1},{"version":"e2c72c065a36bc9ab2a00ac6a6f51e71501619a72c0609defd304d46610487a4","impliedFormat":1},{"version":"d91a7d8b5655c42986f1bdfe2105c4408f472831c8f20cf11a8c3345b6b56c8c","impliedFormat":1},{"version":"616075a6ac578cf5a013ee12964188b4412823796ce0b202c6f1d2e4ca8480d7","affectsGlobalScope":true,"impliedFormat":1},{"version":"e8a979b8af001c9fc2e774e7809d233c8ca955a28756f52ee5dee88ccb0611d2","impliedFormat":1},{"version":"cac793cc47c29e26e4ac3601dcb00b4435ebed26203485790e44f2ad8b6ad847","impliedFormat":1},{"version":"865a2612f5ec073dd48d454307ccabb04c48f8b96fda9940c5ebfe6b4b451f51","impliedFormat":1},{"version":"4558ac151f289d39f651a630cc358111ef72c1148e06627ef7edaeb01eb26c82","impliedFormat":1},{"version":"115b2ad73fa7d175cd71a5873d984c21593b2a022f1a2036cc39d9f53629e5dc","impliedFormat":1},{"version":"1be330b3a0b00590633f04c3b35db7fa618c9ee079258e2b24c137eb4ffcd728","impliedFormat":1},{"version":"3253d41f1fefc58f0ba77053f23a3c310cf1a2b880d3b98c63d52161baa730d3","impliedFormat":1},{"version":"3da0083607976261730c44908eab1b6262f727747ef3230a65ecd0153d9e8639","impliedFormat":1},{"version":"db6d2d9daad8a6d83f281af12ce4355a20b9a3e71b82b9f57cddcca0a8964a96","impliedFormat":1},{"version":"dd721e5707f241e4ef4ab36570d9e2a79f66aad63a339e3cbdbac7d9164d2431","impliedFormat":1},{"version":"24f8562308dd8ba6013120557fa7b44950b619610b2c6cb8784c79f11e3c4f90","impliedFormat":1},{"version":"bf331b8593ad461052b37d83f37269b56e446f0aa8dd77440f96802470b5601d","impliedFormat":1},{"version":"a86f82d646a739041d6702101afa82dcb935c416dd93cbca7fd754fd0282ce1f","impliedFormat":1},{"version":"57d6ac03382e30e9213641ff4f18cf9402bb246b77c13c8e848c0b1ca2b7ef92","impliedFormat":1},{"version":"f040772329d757ecd38479991101ef7bc9bf8d8f4dd8ee5d96fe00aa264f2a2b","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"57e47d02e88abef89d214cdf52b478104dc17997015746e288cbb580beaef266","impliedFormat":1},{"version":"04a2d0bd8166f057cc980608bd5898bfc91198636af3c1eb6cb4eb5e8652fbea","impliedFormat":1},{"version":"376c21ad92ca004531807ea4498f90a740fd04598b45a19335a865408180eddd","impliedFormat":1},{"version":"9e2739b32f741859263fdba0244c194ca8e96da49b430377930b8f721d77c000","impliedFormat":1},{"version":"a9af0e608929aaf9ce96bd7a7b99c9360636c31d73670e4af09a09950df97841","impliedFormat":1},{"version":"48d37b90a04e753a925228f50304d02c4f95d57bf682f8bb688621c3cd9d32ec","impliedFormat":1},{"version":"361e2b13c6765d7f85bb7600b48fde782b90c7c41105b7dab1f6e7871071ba20","impliedFormat":1},{"version":"c86fe861cf1b4c46a0fb7d74dffe596cf679a2e5e8b1456881313170f092e3fa","impliedFormat":1},{"version":"b6db56e4903e9c32e533b78ac85522de734b3d3a8541bf24d256058d464bf04b","impliedFormat":1},{"version":"24daa0366f837d22c94a5c0bad5bf1fd0f6b29e1fae92dc47c3072c3fdb2fbd5","impliedFormat":1},{"version":"b68c4ed987ef5693d3dccd85222d60769463aca404f2ffca1c4c42781dce388e","impliedFormat":1},{"version":"cfb5b5d514eb4ad0ee25f313b197f3baa493eee31f27613facd71efb68206720","impliedFormat":1},{"version":"65f43099ded6073336e697512d9b80f2d4fec3182b7b2316abf712e84104db00","impliedFormat":1},{"version":"3e7efde639c6a6c3edb9847b3f61e308bf7a69685b92f665048c45132f51c218","impliedFormat":1},{"version":"df45ca1176e6ac211eae7ddf51336dc075c5314bc5c253651bae639defd5eec5","impliedFormat":1},{"version":"106c6025f1d99fd468fd8bf6e5bda724e11e5905a4076c5d29790b6c3745e50c","impliedFormat":1},{"version":"9715fe982fccf375c88ac4d3cc8f6a126a7b7596be8d60190a0c7d22b45b4be4","impliedFormat":1},{"version":"1fe24e25a00c7dd689cb8c0fb4f1048b4a6d1c50f76aaca2ca5c6cdb44e01442","impliedFormat":1},{"version":"672f293c53a07b8c1c1940797cd5c7984482a0df3dd9c1f14aaee8d3474c2d83","impliedFormat":1},{"version":"0a66cb2511fa8e3e0e6ba9c09923f664a0a00896f486e6f09fc11ff806a12b0c","impliedFormat":1},{"version":"d703f98676a44f90d63b3ffc791faac42c2af0dd2b4a312f4afdb5db471df3de","impliedFormat":1},{"version":"0cfe1d0b90d24f5c105db5a2117192d082f7d048801d22a9ea5c62fae07b80a0","impliedFormat":1},{"version":"ef61792acbfa8c27c9bd113f02731e66229f7d3a169e3c1993b508134f1a58e0","impliedFormat":1},{"version":"9c82171d836c47486074e4ca8e059735bf97b205e70b196535b5efd40cbe1bc5","impliedFormat":1},{"version":"414cc05e215b7fc5a4a6ece431985e05e03762c8eb5bf1e0972d477f97832956","impliedFormat":1},{"version":"c5426dbfc1cf90532f66965a7aa8c1136a78d4d0f96d8180ecbfc11d7722f1a5","impliedFormat":1},{"version":"5c2e5ca7d53236bbf483a81ae283e2695e291fe69490cd139b33fa9e71838a69","impliedFormat":1},{"version":"a73bee51e3820392023252c36348e62dd72e6bae30a345166e9c78360f1aba7e","impliedFormat":1},{"version":"6ea68b3b7d342d1716cc4293813410d3f09ff1d1ca4be14c42e6d51e810962e1","impliedFormat":1},{"version":"c319e82ac16a5a5da9e28dfdefdad72cebb5e1e67cbdcc63cce8ae86be1e454f","impliedFormat":1},{"version":"a23185bc5ef590c287c28a91baf280367b50ae4ea40327366ad01f6f4a8edbc5","impliedFormat":1},{"version":"65a15fc47900787c0bd18b603afb98d33ede930bed1798fc984d5ebb78b26cf9","impliedFormat":1},{"version":"9d202701f6e0744adb6314d03d2eb8fc994798fc83d91b691b75b07626a69801","impliedFormat":1},{"version":"de9d2df7663e64e3a91bf495f315a7577e23ba088f2949d5ce9ec96f44fba37d","impliedFormat":1},{"version":"c7af78a2ea7cb1cd009cfb5bdb48cd0b03dad3b54f6da7aab615c2e9e9d570c5","impliedFormat":1},{"version":"1ee45496b5f8bdee6f7abc233355898e5bf9bd51255db65f5ff7ede617ca0027","impliedFormat":1},{"version":"0c7c947ff881c4274c0800deaa0086971e0bfe51f89a33bd3048eaa3792d4876","affectsGlobalScope":true,"impliedFormat":1},{"version":"db01d18853469bcb5601b9fc9826931cc84cc1a1944b33cad76fd6f1e3d8c544","affectsGlobalScope":true,"impliedFormat":1},{"version":"dba114fb6a32b355a9cfc26ca2276834d72fe0e94cd2c3494005547025015369","impliedFormat":1},{"version":"a020158a317c07774393974d26723af551e569f1ba4d6524e8e245f10e11b976","affectsGlobalScope":true,"impliedFormat":1},{"version":"fa6c12a7c0f6b84d512f200690bfc74819e99efae69e4c95c4cd30f6884c526e","impliedFormat":1},{"version":"f1c32f9ce9c497da4dc215c3bc84b722ea02497d35f9134db3bb40a8d918b92b","impliedFormat":1},{"version":"b73c319af2cc3ef8f6421308a250f328836531ea3761823b4cabbd133047aefa","affectsGlobalScope":true,"impliedFormat":1},{"version":"e433b0337b8106909e7953015e8fa3f2d30797cea27141d1c5b135365bb975a6","impliedFormat":1},{"version":"15b36126e0089bfef173ab61329e8286ce74af5e809d8a72edcafd0cc049057f","impliedFormat":1},{"version":"ddff7fc6edbdc5163a09e22bf8df7bef75f75369ebd7ecea95ba55c4386e2441","impliedFormat":1},{"version":"13283350547389802aa35d9f2188effaeac805499169a06ef5cd77ce2a0bd63f","impliedFormat":1},{"version":"2e4f37ffe8862b14d8e24ae8763daaa8340c0df0b859d9a9733def0eee7562d9","impliedFormat":1},{"version":"d07cbc787a997d83f7bde3877fec5fb5b12ce8c1b7047eb792996ed9726b4dde","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"8bba776476c48b0e319d243f353190f24096057acede3c2f620fee17ff885dba","impliedFormat":1},{"version":"a3abe92070fbd33714bd837806030b39cfb1f8283a98c7c1f55fffeea388809e","impliedFormat":1},{"version":"ceb6696b98a72f2dae802260c5b0940ea338de65edd372ff9e13ab0a410c3a88","impliedFormat":1},{"version":"2cd914e04d403bdc7263074c63168335d44ce9367e8a74f6896c77d4d26a1038","impliedFormat":1},{"version":"ac60bbee0d4235643cc52b57768b22de8c257c12bd8c2039860540cab1fa1d82","impliedFormat":1},{"version":"b73cbf0a72c8800cf8f96a9acfe94f3ad32ca71342a8908b8ae484d61113f647","impliedFormat":1},{"version":"bae6dd176832f6423966647382c0d7ba9e63f8c167522f09a982f086cd4e8b23","impliedFormat":1},{"version":"208c9af9429dd3c76f5927b971263174aaa4bc7621ddec63f163640cbd3c473c","impliedFormat":1},{"version":"20865ac316b8893c1a0cc383ccfc1801443fbcc2a7255be166cf90d03fac88c9","impliedFormat":1},{"version":"c9958eb32126a3843deedda8c22fb97024aa5d6dd588b90af2d7f2bfac540f23","impliedFormat":1},{"version":"3bc8605900fd1668f6d93ce8e14386478b6caa6fda41be633ee0fe4d0c716e62","impliedFormat":1},{"version":"461d0ad8ae5f2ff981778af912ba71b37a8426a33301daa00f21c6ccb27f8156","impliedFormat":1},{"version":"e927c2c13c4eaf0a7f17e6022eee8519eb29ef42c4c13a31e81a611ab8c95577","impliedFormat":1},{"version":"fcafff163ca5e66d3b87126e756e1b6dfa8c526aa9cd2a2b0a9da837d81bbd72","impliedFormat":1},{"version":"70246ad95ad8a22bdfe806cb5d383a26c0c6e58e7207ab9c431f1cb175aca657","impliedFormat":1},{"version":"f00f3aa5d64ff46e600648b55a79dcd1333458f7a10da2ed594d9f0a44b76d0b","impliedFormat":1},{"version":"772d8d5eb158b6c92412c03228bd9902ccb1457d7a705b8129814a5d1a6308fc","impliedFormat":1},{"version":"45490817629431853543adcb91c0673c25af52a456479588b6486daba34f68bb","impliedFormat":1},{"version":"802e797bcab5663b2c9f63f51bdf67eff7c41bc64c0fd65e6da3e7941359e2f7","impliedFormat":1},{"version":"b01bd582a6e41457bc56e6f0f9de4cb17f33f5f3843a7cf8210ac9c18472fb0f","impliedFormat":1},{"version":"9f31420a5040dbfb49ab94bcaaa5103a9a464e607cabe288958f53303f1da32e","impliedFormat":1},{"version":"6124e973eab8c52cabf3c07575204efc1784aca6b0a30c79eb85fe240a857efa","impliedFormat":1},{"version":"0d891735a21edc75df51f3eb995e18149e119d1ce22fd40db2b260c5960b914e","impliedFormat":1},{"version":"3b414b99a73171e1c4b7b7714e26b87d6c5cb03d200352da5342ab4088a54c85","impliedFormat":1},{"version":"f11d0dcaa4a1cba6d6513b04ceb31a262f223f56e18b289c0ba3133b4d3cd9a6","impliedFormat":1},{"version":"0a437ae178f999b46b6153d79095b60c42c996bc0458c04955f1c996dc68b971","impliedFormat":1},{"version":"74b2a5e5197bd0f2e0077a1ea7c07455bbea67b87b0869d9786d55104006784f","impliedFormat":1},{"version":"4a7baeb6325920044f66c0f8e5e6f1f52e06e6d87588d837bdf44feb6f35c664","impliedFormat":1},{"version":"6dcf60530c25194a9ee0962230e874ff29d34c59605d8e069a49928759a17e0a","impliedFormat":1},{"version":"56013416784a6b754f3855f8f2bf6ce132320679b8a435389aca0361bce4df6b","impliedFormat":1},{"version":"43e96a3d5d1411ab40ba2f61d6a3192e58177bcf3b133a80ad2a16591611726d","impliedFormat":1},{"version":"9c066f3b46cf016e5d072b464821c5b21cc9adcc44743de0f6c75e2509a357ab","impliedFormat":1},{"version":"002eae065e6960458bda3cf695e578b0d1e2785523476f8a9170b103c709cd4f","impliedFormat":1},{"version":"c51641ab4bfa31b7a50a0ca37edff67f56fab3149881024345b13f2b48b7d2de","impliedFormat":1},{"version":"a57b1802794433adec9ff3fed12aa79d671faed86c49b09e02e1ac41b4f1d33a","impliedFormat":1},{"version":"b620391fe8060cf9bedc176a4d01366e6574d7a71e0ac0ab344a4e76576fcbb8","impliedFormat":1},{"version":"52abbd5035a97ebfb4240ec8ade2741229a7c26450c84eb73490dc5ea048b911","impliedFormat":1},{"version":"1042064ece5bb47d6aba91648fbe0635c17c600ebdf567588b4ca715602f0a9d","impliedFormat":1},{"version":"4360ad4de54de2d5c642c4375d5eab0e7fe94ebe8adca907e6c186bbef75a54d","impliedFormat":1},{"version":"c338dff3233675f87a3869417aaea8b8bf590505106d38907dc1d0144f6402ef","impliedFormat":1},{"version":"7bb79aa2fead87d9d56294ef71e056487e848d7b550c9a367523ee5416c44cfa","impliedFormat":1},{"version":"9c9cae45dc94c2192c7d25f80649414fa13c425d0399a2c7cb2b979e4e50af42","impliedFormat":1},{"version":"068f063c2420b20f8845afadb38a14c640aed6bb01063df224edb24af92b4550","impliedFormat":1},{"version":"27ff4196654e6373c9af16b6165120e2dd2169f9ad6abb5c935af5abd8c7938c","impliedFormat":1},{"version":"b8719d4483ebef35e9cb67cd5677b7e0103cf2ed8973df6aba6fdd02896ddc6e","impliedFormat":1},{"version":"643672ce383e1c58ea665a92c5481f8441edbd3e91db36e535abccbc9035adeb","impliedFormat":1},{"version":"6dd9bcf10678b889842d467706836a0ab42e6c58711e33918ed127073807ee65","impliedFormat":1},{"version":"8fa022ea514ce0ea78ac9b7092a9f97f08ead20c839c779891019e110fce8307","impliedFormat":1},{"version":"c93235337600b786fd7d0ff9c71a00f37ca65c4d63e5d695fc75153be2690f09","impliedFormat":1},{"version":"10179c817a384983f6925f778a2dac2c9427817f7d79e27d3e9b1c8d0564f1f4","impliedFormat":1},{"version":"ce791f6ea807560f08065d1af6014581eeb54a05abd73294777a281b6dfd73c2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"c0a666b005521f52e2db0b685d659d7ee9b0b60bc0d347dfc5e826c7957bdb83","impliedFormat":1},{"version":"807d38d00ce6ab9395380c0f64e52f2f158cc804ac22745d8f05f0efdec87c33","impliedFormat":1},{"version":"ce0df82a9ae6f914ba08409d4d883983cc08e6d59eb2df02d8e4d68309e7848b","impliedFormat":1},{"version":"796273b2edc72e78a04e86d7c58ae94d370ab93a0ddf40b1aa85a37a1c29ecd7","impliedFormat":1},{"version":"5df15a69187d737d6d8d066e189ae4f97e41f4d53712a46b2710ff9f8563ec9f","impliedFormat":1},{"version":"e17cd049a1448de4944800399daa4a64c5db8657cc9be7ef46be66e2a2cd0e7c","impliedFormat":1},{"version":"d05fb434f4ba073aed74b6c62eff1723c835de2a963dbb091e000a2decb5a691","impliedFormat":1},{"version":"10e6166be454ddb8c81000019ce1069b476b478c316e7c25965a91904ec5c1e3","impliedFormat":1},{"version":"43ba4f2fa8c698f5c304d21a3ef596741e8e85a810b7c1f9b692653791d8d97a","impliedFormat":1},{"version":"4d4927cbee21750904af7acf940c5e3c491b4d5ebc676530211e389dd375607a","impliedFormat":1},{"version":"72105519d0390262cf0abe84cf41c926ade0ff475d35eb21307b2f94de985778","impliedFormat":1},{"version":"703989a003790524b4e34a1758941d05c121d5d352bccca55a5cfb0c76bca592","impliedFormat":1},{"version":"a58abf1f5c8feb335475097abeddd32fd71c4dc2065a3d28cf15cacabad9654a","impliedFormat":1},{"version":"ccf6dd45b708fb74ba9ed0f2478d4eb9195c9dfef0ff83a6092fa3cf2ff53b4f","impliedFormat":1},{"version":"2d7db1d73456e8c5075387d4240c29a2a900847f9c1bff106a2e490da8fbd457","impliedFormat":1},{"version":"2b15c805f48e4e970f8ec0b1915f22d13ca6212375e8987663e2ef5f0205e832","impliedFormat":1},{"version":"671aeae7130038566a8d00affeb1b3e3b131edf93cbcfff6f55ed68f1ca4c1b3","impliedFormat":1},{"version":"f0f05149debcf31b3a717ce8dd16e0323a789905cb9e27239167b604153b8885","impliedFormat":1},{"version":"35069c2c417bd7443ae7c7cafd1de02f665bf015479fec998985ffbbf500628c","impliedFormat":1},{"version":"955c69dde189d5f47a886ed454ff50c69d4d8aaec3a454c9ab9c3551db727861","impliedFormat":1},{"version":"cec8b16ff98600e4f6777d1e1d4ddf815a5556a9c59bc08cc16db4fd4ae2cf00","impliedFormat":1},{"version":"9e21f8e2c0cfea713a4a372f284b60089c0841eb90bf3610539d89dbcd12d65a","impliedFormat":1},{"version":"045b752f44bf9bbdcaffd882424ab0e15cb8d11fa94e1448942e338c8ef19fba","impliedFormat":1},{"version":"2894c56cad581928bb37607810af011764a2f511f575d28c9f4af0f2ef02d1ab","impliedFormat":1},{"version":"0a72186f94215d020cb386f7dca81d7495ab6c17066eb07d0f44a5bf33c1b21a","impliedFormat":1},{"version":"c226288bda11cee97850f0149cc4ff5a244d42ed3f5a9f6e9b02f1162bf1e3f4","impliedFormat":1},{"version":"210a4ec6fd58f6c0358e68f69501a74aef547c82deb920c1dec7fa04f737915a","impliedFormat":1},{"version":"8eea4cc42d04d26bcbcaf209366956e9f7abaf56b0601c101016bb773730c5fe","impliedFormat":1},{"version":"f5319e38724c54dff74ee734950926a745c203dcce00bb0343cb08fbb2f6b546","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"12b8dfed70961bea1861e5d39e433580e71323abb5d33da6605182ec569db584","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"7e560f533aaf88cf9d3b427dcf6c112dd3f2ee26d610e2587583b6c354c753db","impliedFormat":1},{"version":"71e0082342008e4dfb43202df85ea0986ef8e003c921a1e49999d0234a3019da","impliedFormat":1},{"version":"27ab780875bcbb65e09da7496f2ca36288b0c541abaa75c311450a077d54ec15","impliedFormat":1},{"version":"2652448ac55a2010a1f71dd141f828b682298d39728f9871e1cdf8696ef443fd","impliedFormat":1},{"version":"e71e103fb212e015394def7f1379706fce637fec9f91aa88410a73b7c5cbd4e3","impliedFormat":1},{"version":"120599fd965257b1f4d0ff794bc696162832d9d8467224f4665f713a3119078b","impliedFormat":1},{"version":"5433f33b0a20300cca35d2f229a7fc20b0e8477c44be2affeb21cb464af60c76","impliedFormat":1},{"version":"db036c56f79186da50af66511d37d9fe77fa6793381927292d17f81f787bb195","impliedFormat":1},{"version":"bd4131091b773973ca5d2326c60b789ab1f5e02d8843b3587effe6e1ea7c9d86","impliedFormat":1},{"version":"794998dc1c5a19ce77a75086fe829fb9c92f2fd07b5631c7d5e0d04fd9bc540c","impliedFormat":1},{"version":"2b0b12d0ee52373b1e7b09226eae8fbf6a2043916b7c19e2c39b15243f32bde2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"0427df5c06fafc5fe126d14b9becd24160a288deff40e838bfbd92a35f8d0d00","impliedFormat":1},{"version":"bdc5fd605a6d315ded648abf2c691a22d0b0c774b78c15512c40ddf138e51950","impliedFormat":1},{"version":"49c346823ba6d4b12278c12c977fb3a31c06b9ca719015978cb145eb86da1c61","impliedFormat":1},{"version":"bfac6e50eaa7e73bb66b7e052c38fdc8ccfc8dbde2777648642af33cf349f7f1","impliedFormat":1},{"version":"92f7c1a4da7fbfd67a2228d1687d5c2e1faa0ba865a94d3550a3941d7527a45d","impliedFormat":1},{"version":"f53b120213a9289d9a26f5af90c4c686dd71d91487a0aa5451a38366c70dc64b","impliedFormat":1},{"version":"6cd4b0986c638d92f7204d1407b1cb3e0a79d7a2d23b0f141c1a0829540ce7ef","impliedFormat":1},{"version":"57d67b72e06059adc5e9454de26bbfe567d412b962a501d263c75c2db430f40e","impliedFormat":1},{"version":"6511e4503cf74c469c60aafd6589e4d14d5eb0a25f9bf043dcbecdf65f261972","impliedFormat":1},{"version":"d58265e159fc3cb30aa8878ba5e986a314b1759c824ff66d777b9fe42117231a","impliedFormat":1},{"version":"ff8fccaae640b0bb364340216dcc7423e55b6bb182ca2334837fee38636ad32e","impliedFormat":1},{"version":"a67b87d0281c97dfc1197ef28dfe397fc2c865ccd41f7e32b53f647184cc7307","impliedFormat":1},{"version":"771ffb773f1ddd562492a6b9aaca648192ac3f056f0e1d997678ff97dbb6bf9b","impliedFormat":1},{"version":"232f70c0cf2b432f3a6e56a8dc3417103eb162292a9fd376d51a3a9ea5fbbf6f","impliedFormat":1},{"version":"59ee66cf96b093b18c90a8f6dbb3f0e3b65c758fba7b8b980af9f2726c32c1a2","impliedFormat":1},{"version":"c590195790d7fa35b4abed577a605d283b8336b9e01fa9bf4ae4be49855940f9","impliedFormat":1},{"version":"8a0e762ceb20c7e72504feef83d709468a70af4abccb304f32d6b9bac1129b2c","impliedFormat":1},{"version":"026a43d8239b8f12d2fc4fa5a7acbc2ad06dd989d8c71286d791d9f57ca22b78","impliedFormat":1},{"version":"9252d498a77517aab5d8d4b5eb9d71e4b225bbc7123df9713e08181de63180f6","impliedFormat":1},{"version":"14cf3683955f914b4695e92c93aae5f3fe1e60f3321d712605164bfe53b34334","impliedFormat":1},{"version":"12f0fb50e28b9d48fe5b7580580efe7cc0bd38e4b8c02d21c175aa9a4fd839b0","impliedFormat":1},{"version":"1fffe726740f9787f15b532e1dc870af3cd964dbe29e191e76121aa3dd8693f2","impliedFormat":1},{"version":"7cd657e359eac7829db5f02c856993e8945ffccc71999cdfb4ab3bf801a1bbc6","impliedFormat":1},{"version":"1a82deef4c1d39f6882f28d275cad4c01f907b9b39be9cbc472fcf2cf051e05b","impliedFormat":1},{"version":"4b20fcf10a5413680e39f5666464859fc56b1003e7dfe2405ced82371ebd49b6","impliedFormat":1},{"version":"29c2aa0712786a4a504fce3acd50928f086027276f7490965cb467d2ce638bae","impliedFormat":1},{"version":"f14e63395b54caecc486f00a39953ab00b7e4d428a4e2c38325154b08eb5dcc2","impliedFormat":1},{"version":"e749bbd37dadf82c9833278780527c717226e1e2c9bc7b2576c8ec1c40ec5647","impliedFormat":1},{"version":"7b4a7f4def7b300d5382747a7aa31de37e5f3bf36b92a1b538412ea604601715","impliedFormat":1},{"version":"08f52a9edaabeda3b2ea19a54730174861ceed637c5ca1c1b0c39459fdc0853e","impliedFormat":1},{"version":"6459054aabb306821a043e02b89d54da508e3a6966601a41e71c166e4ea1474f","impliedFormat":1},{"version":"bb37588926aba35c9283fe8d46ebf4e79ffe976343105f5c6d45f282793352b2","impliedFormat":1},{"version":"05c97cddbaf99978f83d96de2d8af86aded9332592f08ce4a284d72d0952c391","impliedFormat":1},{"version":"72179f9dd22a86deaad4cc3490eb0fe69ee084d503b686985965654013f1391b","impliedFormat":1},{"version":"2e6114a7dd6feeef85b2c80120fdbfb59a5529c0dcc5bfa8447b6996c97a69f5","impliedFormat":1},{"version":"7b6ff760c8a240b40dab6e4419b989f06a5b782f4710d2967e67c695ef3e93c4","impliedFormat":1},{"version":"29164fb428c851bc35b632761daad3ae075993a0bf9c43e9e3bc6468b32d9aa5","impliedFormat":1},{"version":"3c01539405051bffccacffd617254c8d0f665cdce00ec568c6f66ccb712b734f","impliedFormat":1},{"version":"ef9021bdfe54f4df005d0b81170bd2da9bfd86ef552cde2a049ba85c9649658f","impliedFormat":1},{"version":"17a1a0d1c492d73017c6e9a8feb79e9c8a2d41ef08b0fe51debc093a0b2e9459","impliedFormat":1},{"version":"f974e4a06953682a2c15d5bd5114c0284d5abf8bc0fe4da25cb9159427b70072","impliedFormat":1},{"version":"50256e9c31318487f3752b7ac12ff365c8949953e04568009c8705db802776fb","impliedFormat":1},{"version":"96e1caae9b78cde35c62fee46c1ec9fa5f12c16bc1e2ab08d48e5921e29a6958","impliedFormat":1},{"version":"8de9fe97fa9e00ec00666fa77ab6e91b35d25af8ca75dabcb01e14ad3299b150","impliedFormat":1},{"version":"9e0327857503a958348d9e8e9dd57ed155a1e6ec0071eb5eb946fe06ccdf7680","impliedFormat":1},{"version":"6c800b281b9e89e69165fd11536195488de3ff53004e55905e6c0059a2d8591e","impliedFormat":1},{"version":"01aa917531e116485beca44a14970834687b857757159769c16b228eb1e49c5f","impliedFormat":1},{"version":"397f568f996f8ffcf12d9156342552b0da42f6571eadba6bce61c99e1651977d","impliedFormat":1},{"version":"e2fd426f3cbc5bbff7860378784037c8fa9c1644785eed83c47c902b99b6cda9","impliedFormat":1},{"version":"d663134457d8d669ae0df34eabd57028bddc04fc444c4bc04bc5215afc91e1f4","impliedFormat":1},{"version":"a52674bc98da7979607e0f44d4c015c59c1b1d264c83fc50ec79ff2cfea06723","impliedFormat":1},{"version":"bcca16e60015db8bbf6bd117e88c5f7269337aebb05fc2b0701ae658a458c9c3","impliedFormat":1},{"version":"5e1246644fab20200cdc7c66348f3c861772669e945f2888ef58b461b81e1cd8","impliedFormat":1},{"version":"eb39550e2485298d91099e8ab2a1f7b32777d9a5ba34e9028ea8df2e64891172","impliedFormat":1},{"version":"e108f38a04a607f9386d68a4c6f3fdae1b712960f11f6482c6f1769bab056c2e","impliedFormat":1},{"version":"a3128a84a9568762a2996df79717d92154d18dd894681fc0ab3a098fa7f8ee3b","affectsGlobalScope":true,"impliedFormat":1},{"version":"347791f3792f436950396dd6171d6450234358001ae7c94ca209f1406566ccbf","impliedFormat":1},{"version":"dd80b1e600d00f5c6a6ba23f455b84a7db121219e68f89f10552c54ba46e4dc9","impliedFormat":1},{"version":"714d8ebb298c7acc9bd1f34bd479c57d12b73371078a0c5a1883a68b8f1b9389","impliedFormat":1},{"version":"616775f16134fa9d01fc677ad3f76e68c051a056c22ab552c64cc281a9686790","impliedFormat":1},{"version":"65c24a8baa2cca1de069a0ba9fba82a173690f52d7e2d0f1f7542d59d5eb4db0","impliedFormat":1},{"version":"f9fe6af238339a0e5f7563acee3178f51db37f32a2e7c09f85273098cee7ec49","impliedFormat":1},{"version":"51bf55bb6eb80f11b3aa59fb0a9571565a7ea304a19381f6da5630f4b2e206c4","impliedFormat":1},{"version":"77e71242e71ebf8528c5802993697878f0533db8f2299b4d36aa015bae08a79c","impliedFormat":1},{"version":"98a787be42bd92f8c2a37d7df5f13e5992da0d967fab794adbb7ee18370f9849","impliedFormat":1},{"version":"02f8ef78d46c5b27f108dbb56709daa0aff625c20247abb0e6bb67cd73439f9f","impliedFormat":1},{"version":"b7fff2d004c5879cae335db8f954eb1d61242d9f2d28515e67902032723caeab","impliedFormat":1},{"version":"5f3dc10ae646f375776b4e028d2bed039a93eebbba105694d8b910feebbe8b9c","impliedFormat":1},{"version":"bb0cd7862b72f5eba39909c9889d566e198fcaddf7207c16737d0c2246112678","impliedFormat":1},{"version":"4545c1a1ceca170d5d83452dd7c4994644c35cf676a671412601689d9a62da35","impliedFormat":1},{"version":"6812502cc640de74782ce9121592ae3765deb1c5c8e795b179736b308dd65e90","impliedFormat":1},{"version":"a2d648d333cf67b9aeac5d81a1a379d563a8ffa91ddd61c6179f68de724260ff","impliedFormat":1},{"version":"2b664c3cc544d0e35276e1fb2d4989f7d4b4027ffc64da34ec83a6ccf2e5c528","impliedFormat":1},{"version":"a3f41ed1b4f2fc3049394b945a68ae4fdefd49fa1739c32f149d32c0545d67f5","impliedFormat":1},{"version":"bad68fd0401eb90fe7da408565c8aee9c7a7021c2577aec92fa1382e8876071a","impliedFormat":1},{"version":"47699512e6d8bebf7be488182427189f999affe3addc1c87c882d36b7f2d0b0e","impliedFormat":1},{"version":"fec01479923e169fb52bd4f668dbeef1d7a7ea6e6d491e15617b46f2cacfa37d","impliedFormat":1},{"version":"8a8fb3097ba52f0ae6530ec6ab34e43e316506eb1d9aa29420a4b1e92a81442d","impliedFormat":1},{"version":"44e09c831fefb6fe59b8e65ad8f68a7ecc0e708d152cfcbe7ba6d6080c31c61e","impliedFormat":1},{"version":"1c0a98de1323051010ce5b958ad47bc1c007f7921973123c999300e2b7b0ecc0","impliedFormat":1},{"version":"b10bc147143031b250dc36815fd835543f67278245bf2d0a46dca765f215124e","impliedFormat":1},{"version":"87affad8e2243635d3a191fa72ef896842748d812e973b7510a55c6200b3c2a4","impliedFormat":1},{"version":"ad036a85efcd9e5b4f7dd5c1a7362c8478f9a3b6c3554654ca24a29aa850a9c5","impliedFormat":1},{"version":"fedebeae32c5cdd1a85b4e0504a01996e4a8adf3dfa72876920d3dd6e42978e7","impliedFormat":1},{"version":"1e4c6ac595b6d734c056ac285b9ee50d27a2c7afe7d15bd14ed16210e71593b0","impliedFormat":1},{"version":"cdf21eee8007e339b1b9945abf4a7b44930b1d695cc528459e68a3adc39a622e","impliedFormat":1},{"version":"330896c1a2b9693edd617be24fbf9e5895d6e18c7955d6c08f028f272b37314d","impliedFormat":1},{"version":"1d9c0a9a6df4e8f29dc84c25c5aa0bb1da5456ebede7a03e03df08bb8b27bae6","impliedFormat":1},{"version":"84380af21da938a567c65ef95aefb5354f676368ee1a1cbb4cae81604a4c7d17","impliedFormat":1},{"version":"1af3e1f2a5d1332e136f8b0b95c0e6c0a02aaabd5092b36b64f3042a03debf28","impliedFormat":1},{"version":"3c7b3aecd652169787b3c512d8f274a3511c475f84dcd6cead164e40cad64480","impliedFormat":1},{"version":"9a01f12466488eccd8d9eafc8fecb9926c175a4bf4a8f73a07c3bcf8b3363282","impliedFormat":1},{"version":"b80f624162276f24a4ec78b8e86fbee80ca255938e12f8b58e7a8f1a6937120b","impliedFormat":1},{"version":"1de80059b8078ea5749941c9f863aa970b4735bdbb003be4925c853a8b6b4450","impliedFormat":1},{"version":"1d079c37fa53e3c21ed3fa214a27507bda9991f2a41458705b19ed8c2b61173d","impliedFormat":1},{"version":"5bf5c7a44e779790d1eb54c234b668b15e34affa95e78eada73e5757f61ed76a","impliedFormat":1},{"version":"5835a6e0d7cd2738e56b671af0e561e7c1b4fb77751383672f4b009f4e161d70","impliedFormat":1},{"version":"5c634644d45a1b6bc7b05e71e05e52ec04f3d73d9ac85d5927f647a5f965181a","impliedFormat":1},{"version":"4b7f74b772140395e7af67c4841be1ab867c11b3b82a51b1aeb692822b76c872","impliedFormat":1},{"version":"27be6622e2922a1b412eb057faa854831b95db9db5035c3f6d4b677b902ab3b7","impliedFormat":1},{"version":"b95a6f019095dd1d48fd04965b50dfd63e5743a6e75478343c46d2582a5132bf","impliedFormat":99},{"version":"c2008605e78208cfa9cd70bd29856b72dda7ad89df5dc895920f8e10bcb9cd0a","impliedFormat":99},{"version":"b97cb5616d2ab82a98ec9ada7b9e9cabb1f5da880ec50ea2b8dc5baa4cbf3c16","impliedFormat":99},{"version":"63a7595a5015e65262557f883463f934904959da563b4f788306f699411e9bac","impliedFormat":1},{"version":"4ba137d6553965703b6b55fd2000b4e07ba365f8caeb0359162ad7247f9707a6","impliedFormat":1},{"version":"00b0f43b3770f66aa1e105327980c0ff17a868d0e5d9f5689f15f8d6bf4fb1f4","affectsGlobalScope":true,"impliedFormat":1},{"version":"272a7e7dbe05e8aaba1662ef1a16bbd57975cc352648b24e7a61b7798f3a0ad7","affectsGlobalScope":true,"impliedFormat":1},{"version":"a1219ee18b9282b4c6a31f1f0bcc9255b425e99363268ba6752a932cf76662f0","impliedFormat":1},{"version":"3dc14e1ab45e497e5d5e4295271d54ff689aeae00b4277979fdd10fa563540ae","impliedFormat":1},{"version":"1d63055b690a582006435ddd3aa9c03aac16a696fac77ce2ed808f3e5a06efab","impliedFormat":1},{"version":"b789bf89eb19c777ed1e956dbad0925ca795701552d22e68fd130a032008b9f9","impliedFormat":1},"f2b3bca04d1bfe583daae1e1f798c92ec24bb6693bd88d0a09ba6802dee362a8","614bce25b089c3f19b1e17a6346c74b858034040154c6621e7d35303004767cc",{"version":"402e5c534fb2b85fa771170595db3ac0dd532112c8fa44fc23f233bc6967488b","impliedFormat":1},{"version":"8885cf05f3e2abf117590bbb951dcf6359e3e5ac462af1c901cfd24c6a6472e2","impliedFormat":1},{"version":"769adbb54d25963914e1d8ce4c3d9b87614bf60e6636b32027e98d4f684d5586","impliedFormat":1},{"version":"e61df3640a38d535fd4bc9f4a53aef17c296b58dc4b6394fd576b808dd2fe5e6","impliedFormat":1},{"version":"80781460eca408fe8d2937d9fdbbb780d6aac35f549621e6200c9bee1da5b8fe","impliedFormat":1},{"version":"4719c209b9c00b579553859407a7e5dcfaa1c472994bd62aa5dd3cc0757eb077","impliedFormat":1},{"version":"7ec359bbc29b69d4063fe7dad0baaf35f1856f914db16b3f4f6e3e1bca4099fa","impliedFormat":1},{"version":"b9261ac3e9944d3d72c5ee4cf888ad35d9743a5563405c6963c4e43ee3708ca4","impliedFormat":1},{"version":"c84fd54e8400def0d1ef1569cafd02e9f39a622df9fa69b57ccc82128856b916","impliedFormat":1},{"version":"a022503e75d6953d0e82c2c564508a5c7f8556fad5d7f971372d2d40479e4034","impliedFormat":1},{"version":"2ed6489ef46eb61442d067c08e87e3db501c0bfb2837eee4041a27bf3e792bb0","impliedFormat":1},{"version":"644491cde678bd462bb922c1d0cfab8f17d626b195ccb7f008612dc31f445d2d","impliedFormat":1},{"version":"495e8ce8a3b99536dcc4e695d225123534d90ab75f316befe68de4b9336aae5d","impliedFormat":1},{"version":"f45a2a8b1777ecb50ed65e1a04bb899d4b676529b7921bd5d69b08573a00c832","impliedFormat":1},{"version":"774b783046ba3d473948132d28a69f52a295b2f378f2939304118ba571b1355e","impliedFormat":1},{"version":"b5734e05c787a40e4f9efe71f16683c5f7dc3bdb0de7c04440c855bd000f8fa7","impliedFormat":1},{"version":"14ba97f0907144771331e1349fdccb5a13526eba0647e6b447e572376d811b6f","impliedFormat":1},{"version":"2a771d907aebf9391ac1f50e4ad37952943515eeea0dcc7e78aa08f508294668","impliedFormat":1},{"version":"0146fd6262c3fd3da51cb0254bb6b9a4e42931eb2f56329edd4c199cb9aaf804","impliedFormat":1},{"version":"26e629be9bbd94ea1d465af83ce5a3306890520695f07be6eb016f8d734d02be","impliedFormat":99},{"version":"b558c9a18ea4e6e4157124465c3ef1063e64640da139e67be5edb22f534f2f08","impliedFormat":1},{"version":"01374379f82be05d25c08d2f30779fa4a4c41895a18b93b33f14aeef51768692","impliedFormat":1},{"version":"b0dee183d4e65cf938242efaf3d833c6b645afb35039d058496965014f158141","impliedFormat":1},{"version":"c0bbbf84d3fbd85dd60d040c81e8964cc00e38124a52e9c5dcdedf45fea3f213","impliedFormat":1},"223f2def401123e32ac5664f79c73bdaa8b3a77caf466a304bff919a2a28c16f","caa01c2f4697cd277ea9b714a5d74a4710d828b786bf6775c3e9ddfa0333bb34","8f0b2d893a12c6376bb559884ca76914b30b69804c85eea0019b9e6eb2996edf","86e1e7a4a261844ba68af75ccc536d7863190b4a2abb246b7e531ce26db12435","1c8b64d0a7c0d8bbeb0cf54bdcae2d0def6b2bfb820130f98a9b241e787c0b51","4099308bb60d52b480150a1cf6bae59e3ae707a52b3ea7c8f7738ef0fae1a0fd","b018190732d82e7d5af05abb5c69c62d0158ddcddec0b20727268845aa04dd84","21bf9a322a92b7687dedc0f1dfb13011c420abeb971e6e6b952ac6174cf7fed3","6acb77c3f0009d2868917b6a6e875f2e11a206ede8decb82d5fa17aead071cab","6ba5fd3ee066778164274858340e366d1b81a6eb27dcefadaba19f4bac5b7e7d","17866c81e4d8add933082e9c07de389d034f4de406a57c0b9e66fb9b7bfc5be1",{"version":"fcef1b04b9ae4137ff898d94cf22eb7fad835115cf306cc213b9fcb6253c1ae3","impliedFormat":1},{"version":"8866afaa7858b07a45e8c3c9c7994a1f4bdb33d6a09f267d106be8a77e9faf7b","impliedFormat":1},{"version":"a53ba117a718d7db256e67b4d89987b060e7b6e8e883d91869a227acb8fc8fb9","impliedFormat":1},{"version":"2db8a13c115d5eac1a8c10be830daa7d9ed4a31a82eedd075f081cfe31dd7b94","impliedFormat":1},{"version":"fe2ae8a4f780c2d9a5eb5014c035f10faf98d1def481216b221a6d6a9b98a98a","impliedFormat":1},{"version":"75e99bd36b61d98f1564fc8fbdef0db955ef4b9c11cc488a903377c92f0f409b","impliedFormat":1},{"version":"18bcc01d17e7fed441eb045beb5ab1fb5376ec8c108d0cb9f3e56bc924e48508","impliedFormat":1},{"version":"638964c5c016a3894c1c0cdf707bde1c9230da7a9b94de17f8f70a79a1276448","impliedFormat":1},{"version":"cdec1dc6c2a50a450f399b90be53eebe478a203e3a892e338af0d7ea1f7bf95e","impliedFormat":1},{"version":"19d6bb75afaf19057fda9eea52f5e9b2904ad5ce074208e26a85a0a2ef02967f","impliedFormat":1},{"version":"081958260123f1dd58dd802407aae1f7e25d49e8f1d955a7b888cb8e5e388265","impliedFormat":1},{"version":"fe3c210949a6b5cc1f6b12f07fd795cad35f418009a92e8f65c7d40637804bd9","impliedFormat":1},{"version":"98fcb83e9d921ddf10aac30dbf0471b46024d65c52b886458e036f90f6dd2cd2","impliedFormat":1},{"version":"0fd37a5a5c182a9b9cd5ff651106189fd85f23b0d14bb762f2b2c57e12f2face","impliedFormat":1},{"version":"b3828dcce5209e5b76fcd1a60b3c52c84735f56df7513a5d4412743771e62180","impliedFormat":1},{"version":"e2ecc557255d05f4bbdfd515f6687e6ccd144a7731c90bca1fcb66ac5162992c","impliedFormat":1},{"version":"a555bea0935f3d2d3f5a20141665207c575912a4bd4cdfbc49a817f149b1dd0e","impliedFormat":1},{"version":"3533374d0f9c64f4da2a7c12b12bb771000b91a2442ad551a332f266976f38fc","impliedFormat":1},{"version":"33334027e91752b315bd13747060ca55d7f4713e6004ebd319cb3deb80b6cad5","impliedFormat":1},{"version":"311f919487e8c40f67cba3784a9af8c2adfb79eb01bd8bc821cc07a565c0b148","impliedFormat":1},{"version":"5338ae2d47ffc8be0821ceee5eb2698782ed847f9a321de4e74cdbebbd77c71a","impliedFormat":1},{"version":"59960cbe61b4fd7addd512bf89f3c04cab511312255b9aad431fa356d89b29e0","impliedFormat":1},{"version":"cd51ceafea7762ad639afb3ca5b68e1e4ffeaacaa402d7ef2cae17016e29e098","impliedFormat":1},{"version":"1b8357b3fef5be61b5de6d6a4805a534d68fe3e040c11f1944e27d4aec85936a","impliedFormat":1},{"version":"130ec22c8432ade59047e0225e552c62a47683d870d44785bee95594c8d65408","impliedFormat":1},{"version":"4f24c2781b21b6cd65eede543669327d68a8cf0c6d9cf106a1146b164a7c8ef9","affectsGlobalScope":true,"impliedFormat":1},{"version":"928f96b9948742cbaec33e1c34c406c127c2dad5906edb7df08e92b963500a41","impliedFormat":1},{"version":"56613f2ebdd34d4527ca1ee969ab7e82333c3183fc715e5667c999396359e478","impliedFormat":1},{"version":"d9720d542df1d7feba0aa80ed11b4584854951f9064232e8d7a76e65dc676136","impliedFormat":1},{"version":"d0fb3d0c64beba3b9ab25916cc018150d78ccb4952fac755c53721d9d624ba0d","impliedFormat":1},{"version":"86b484bcf6344a27a9ee19dd5cef1a5afbbd96aeb07708cc6d8b43d7dfa8466c","impliedFormat":1},{"version":"ba93f0192c9c30d895bee1141dd0c307b75df16245deef7134ac0152294788cc","impliedFormat":1},{"version":"75a7db3b7ddf0ca49651629bb665e0294fda8d19ba04fddc8a14d32bb35eb248","impliedFormat":1},{"version":"eb31477c87de3309cbe4e9984fa74a052f31581edb89103f8590f01874b4e271","impliedFormat":1},{"version":"892abbe1081799073183bab5dc771db813938e888cf49eb166f0e0102c0c1473","impliedFormat":1},{"version":"b10d98a3178cf39b3cb34a26a1704633126c7306a37120af128f2075f0be848d","impliedFormat":1},{"version":"865f3db83300a1303349cc49ed80943775a858e0596e7e5a052cc65ac03b10bb","impliedFormat":1},{"version":"28fa41063a242eafcf51e1a62013fccdd9fd5d6760ded6e3ff5ce10a13c2ab31","impliedFormat":1},{"version":"ada60ff3698e7fd0c7ed0e4d93286ee28aed87f648f6748e668a57308fde5a67","impliedFormat":1},{"version":"1a67ba5891772a62706335b59a50720d89905196c90719dad7cec9c81c2990e6","impliedFormat":1},{"version":"5d6f919e1966d45ea297c2478c1985d213e41e2f9a6789964cdb53669e3f7a6f","impliedFormat":1},{"version":"a8289d1d525cf4a3a2d5a8db6b8e14e19f43d122cc47f8fb6b894b0aa2e2bde6","impliedFormat":1},{"version":"d7735a9ccd17767352ab6e799d76735016209aadd5c038a2fc07a29e7b235f02","impliedFormat":1},{"version":"4e251317bb109337e4918e5d7bcda7ef2d88f106cac531dcea03f7eee1dd2240","impliedFormat":1},{"version":"0f2c77683296ca2d0e0bee84f8aa944a05df23bc4c5b5fef31dda757e75f660f","impliedFormat":1},{"version":"cf41091fcbf45daff9aba653406b83d11a3ec163ff9d7a71890035117e733d98","impliedFormat":1},{"version":"742be2239f1a967692c4562a16973a08a1177663f972cbb4e1ef2b21bc97c9cf","impliedFormat":1},{"version":"ce92e662f86a36fc38c5aaa2ec6e6d6eed0bc6cf231bd06a9cb64cc652487550","impliedFormat":1},{"version":"bcf177e80d5a2c3499f587886b4a190391fc9ad4388f74ae6aa935a1c22cd623","impliedFormat":1},{"version":"521f9f4dd927972ed9867e3eb2f0dd6990151f9edbb608ce59911864a9a2712d","impliedFormat":1},{"version":"b2a793bde18962a2e1e0f9fa5dce43dd3e801331d36d3e96a7451727185fb16f","impliedFormat":1},{"version":"9d8fc1d9b6b4b94127eec180183683a6ef4735b0e0a770ba9f7e2d98dd571e0c","impliedFormat":1},{"version":"8504003e88870caa5474ab8bd270f318d0985ba7ede4ee30fe37646768b5362a","impliedFormat":1},{"version":"65465a64d5ee2f989ad4cf8db05f875204a9178f36b07a1e4d3a09a39f762e2e","impliedFormat":1},{"version":"2878f694f7d3a13a88a5e511da7ac084491ca0ddde9539e5dad76737ead9a5a9","impliedFormat":1},{"version":"1c0c6bd0d9b697040f43723d5b1dd6bb9feb743459ff9f95fda9adb6c97c9b37","impliedFormat":1},{"version":"0915ce92bb54e905387b7907e98982620cb7143f7b44291974fb2e592602fe00","impliedFormat":1},{"version":"3cd6df04a43858a6d18402c87a22a68534425e1c8c2fc5bb53fead29af027fcc","impliedFormat":1},{"version":"7c0a4d3819fb911cdb5a6759c0195c72b0c54094451949ebaa89ffceadd129ca","impliedFormat":1},{"version":"4733c832fb758f546a4246bc62f2e9d68880eb8abf0f08c6bec484decb774dc9","impliedFormat":1},{"version":"58d91c410f31f4dd6fa8d50ad10b4ae9a8d1789306e73a5fbe8abea6a593099b","impliedFormat":1},{"version":"7ca6bb19f016eadcff4eb8993a37ba89be7b42bdf0dbc630d0b0db34e5fc7df0","impliedFormat":1},{"version":"d8d5061cb4521772457a2a3f0fcec028669990daceea78068bc968620641cd25","impliedFormat":1},{"version":"81671608efe86adf90b9037cb6ea0f97c03bd1ae654d4974e511b682bf7658ea","impliedFormat":1},{"version":"1f129869a0ee2dcb7ea9a92d6bc8ddf2c2cdaf2d244eec18c3a78efeb5e05c83","impliedFormat":1},{"version":"843e98d09268e2b5b9e6ff60487cf68f4643a72c2e55f7c29b35d1091a4ee4e9","impliedFormat":1},{"version":"e6804515ba7c8f647e145ecc126138dd9d27d3e6283291d0f50050700066a0ea","impliedFormat":1},{"version":"9420a04edbe321959de3d1aab9fa88b45951a14c22d8a817f75eb4c0a80dba02","impliedFormat":1},{"version":"6927ceeb41bb451f47593de0180c8ff1be7403965d10dc9147ee8d5c91372fff","impliedFormat":1},{"version":"ef4c9ef3ec432ccbf6508f8aa12fbb8b7f4d535c8b484258a3888476de2c6c36","impliedFormat":1},{"version":"77ff2aeb024d9e1679c00705067159c1b98ccac8310987a0bdaf0e38a6ca7333","impliedFormat":1},{"version":"1b609b28df5d753bb0ba20c7eb674fa93298fa268c9b20f40176f088878caef3","impliedFormat":1},{"version":"952c4a8d2338e19ef26c1c0758815b1de6c082a485f88368f5bece1e555f39d4","impliedFormat":1},{"version":"1d953cb875c69aeb1ec8c58298a5226241c6139123b1ff885cedf48ac57b435c","impliedFormat":1},{"version":"1a80e164acd9ee4f3e2a919f9a92bfcdb3412d1fe680b15d60e85eadbaa460f8","impliedFormat":1},{"version":"f981ffdbd651f67db134479a5352dac96648ca195f981284e79dc0a1dbc53fd5","impliedFormat":1},{"version":"a1c85a61ff2b66291676ab84ae03c1b1ff7139ffde1942173f6aee8dc4ee357b","impliedFormat":1},{"version":"ee1969bda02bd6c3172c259d33e9ea5456f1662a74e0acf9fa422bb38263f535","impliedFormat":1},{"version":"f1a5a12e04ad1471647484e7ff11e36eef7960f54740f2e60e17799d99d6f5ab","impliedFormat":1},{"version":"672c1ebc4fa15a1c9b4911f1c68de2bc889f4d166a68c5be8f1e61f94014e9d8","impliedFormat":1},{"version":"88293260a4744980874bdc1fd796db707374d852b8031599197408bc77563d1c","impliedFormat":1},{"version":"5a0d920468aa4e792285943cadad77bcb312ba2acf1c665e364ada1b1ee56264","impliedFormat":1},{"version":"de54198142e582c1e26baa21c72321bcdde2a7c38b34cf18e246c7ff95bafd18","impliedFormat":1},{"version":"eccffdb59d6d42e3e773756e8bbe1fa8c23f261ef0cef052f3a8c0194dc6a0e0","impliedFormat":1},{"version":"2d98be5066df3ec9f217b93ef40abab987ec3b55b8f8756a43a081362a356e61","impliedFormat":1},{"version":"a2e4333bf0c330ae26b90c68e395ad0a8af06121f1c977979c75c4a5f9f6bc29","impliedFormat":1},{"version":"f29768cdfdf7120ace7341b42cdcf1a215933b65da9b64784e9d5b8c7b0e1d3d","impliedFormat":1},{"version":"2cbf557a03f80df74106cb7cfb38386db82725b720b859e511bdead881171c32","impliedFormat":1},{"version":"520e09c896f218d5871ba109df4fcf006642084cf6e6cd677897f7b93139ce46","impliedFormat":1},{"version":"5718274a266c16d3fbe9cd44c0e591ca981c374904137807e0ee7d601524deda","impliedFormat":1},{"version":"dd9694eecd70a405490ad23940ccd8979a628f1d26928090a4b05a943ac61714","impliedFormat":1},{"version":"42ca885a3c8ffdffcd9df252582aef9433438cf545a148e3a5e7568ca8575a56","impliedFormat":1},{"version":"309586820e31406ed70bb03ea8bca88b7ec15215e82d0aa85392da25d0b68630","impliedFormat":1},{"version":"98245fec2e886e8eb5398ce8f734bd0d0b05558c6633aefc09b48c4169596e4e","impliedFormat":1},{"version":"1410d60fe495685e97ed7ca6ff8ac6552b8c609ebe63bd97e51b7afe3c75b563","impliedFormat":1},{"version":"c6843fd4514c67ab4caf76efab7772ceb990fbb1a09085fbcf72b4437a307cf7","impliedFormat":1},{"version":"03ed68319c97cd4ce8f1c4ded110d9b40b8a283c3242b9fe934ccfa834e45572","impliedFormat":1},{"version":"956618754d139c7beb3c97df423347433473163d424ff8248af18851dd7d772a","impliedFormat":1},{"version":"7d8f40a7c4cc81db66ac8eaf88f192996c8a5542c192fdebb7a7f2498c18427d","impliedFormat":1},{"version":"c69ecf92a8a9fb3e4019e6c520260e4074dc6cb0044a71909807b8e7cc05bb65","impliedFormat":1},{"version":"c0c259eb2e1d212153e434aba2e0771ea8defe515caf6f5d7439b9591da61117","impliedFormat":1},{"version":"a33a9b9b9210506915937c1b109eaa2b827f25e9a705892e23c5731a50b2b36f","impliedFormat":1},{"version":"1edc9192dfc277c60b92525cdfa1980e1bfd161ae77286c96777d10db36be73c","impliedFormat":1},{"version":"ed53f2563bbdc94c69e4091752a1f7a5fe3d279896bab66979bb799325241db4","impliedFormat":1},{"version":"918956b37f3870f02f0659d14bba32f7b0e374fd9c06a241db9da7f5214dcd79","impliedFormat":1},{"version":"cc9bf8080004ee3d8d9ef117c8df0077d6a76b13cb3f55fd3eefbb3e8fcd1e63","impliedFormat":1},{"version":"1f0ee5ddb64540632c6f9a5b63e242b06e49dd6472f3f5bd7dfeb96d12543e15","impliedFormat":1},{"version":"18b86125c67d99150f54225df07349ddd07acde086b55f3eeac1c34c81e424d8","impliedFormat":1},{"version":"2d3f23c577a913d0f396184f31998507e18c8712bc74303a433cf47f94fd7e07","impliedFormat":1},{"version":"b848b40bfeb73dfe2e782c5b7588ef521010a3d595297e69386670cbde6b4d82","impliedFormat":1},{"version":"aa79b64f5b3690c66892f292e63dfe3e84eb678a886df86521f67c109d57a0c5","impliedFormat":1},{"version":"a692e092c3b9860c9554698d84baf308ba51fc8f32ddd6646e01a287810b16c6","impliedFormat":1},{"version":"64df9b13259fe3e3fea8ed9cdce950b7a0d40859d706c010eeea8c8d353d53fd","impliedFormat":1},{"version":"1848ebe5252ccb5ca1ca4ff52114516bdbbc7512589d6d0839beeea768bfb400","impliedFormat":1},{"version":"d2e3a1de4fde9291f9fb3b43672a8975a83e79896466f1af0f50066f78dbf39e","impliedFormat":1},{"version":"e37650b39727a6cf036c45a2b6df055e9c69a0afdd6dbab833ab957eb7f1a389","impliedFormat":1},{"version":"b848c5cd9ba9a70d6933e9bafde26b9fe442bfbeb4bef2427b9d9cf09375553d","impliedFormat":1},{"version":"0f5773d0dd61aff22d2e3223be3b4b9c4a8068568918fb29b3f1ba3885cf701f","impliedFormat":1},{"version":"31073e7d0e51f33b1456ff2ab7f06546c95e24e11c29d5b39a634bc51f86d914","impliedFormat":1},{"version":"9ce0473b0fbaf7287afb01b6a91bd38f73a31093e59ee86de1fd3f352f3fc817","impliedFormat":1},{"version":"6f0d708924c3c4ee64b0fef8f10ad2b4cb87aa70b015eb758848c1ea02db0ed7","impliedFormat":1},{"version":"6addbb18f70100a2de900bace1c800b8d760421cdd33c1d69ee290b71e28003d","impliedFormat":1},{"version":"37569cc8f21262ca62ec9d3aa8eb5740f96e1f325fad3d6aa00a19403bd27b96","impliedFormat":1},{"version":"e0ef70ca30cdc08f55a9511c51a91415e814f53fcc355b14fc8947d32ce9e1aa","impliedFormat":1},{"version":"14be139e0f6d380a3d24aaf9b67972add107bea35cf7f2b1b1febac6553c3ede","impliedFormat":1},{"version":"23195b09849686462875673042a12b7f4cd34b4e27d38e40ca9c408dae8e6656","impliedFormat":1},{"version":"ff1731974600a4dad7ec87770e95fc86ca3d329b1ce200032766340f83585e47","impliedFormat":1},{"version":"91bc53a57079cf32e1a10ccf1a1e4a068e9820aa2fc6abc9af6bd6a52f590ffb","impliedFormat":1},{"version":"8dd284442b56814717e70f11ca22f4ea5b35feeca680f475bfcf8f65ba4ba296","impliedFormat":1},{"version":"a304e0af52f81bd7e6491e890fd480f3dc2cb0541dec3c7bd440dba9fea5c34e","impliedFormat":1},{"version":"c60fd0d7a1ba07631dfae8b757be0bffd5ef329e563f9a213e4a5402351c679f","impliedFormat":1},{"version":"02687b095a01969e6e300d246c9566a62fa87029ce2c7634439af940f3b09334","impliedFormat":1},{"version":"e79e530a8216ee171b4aca8fc7b99bd37f5e84555cba57dc3de4cd57580ff21a","impliedFormat":1},{"version":"ceb2c0bc630cca2d0fdd48b0f48915d1e768785efaabf50e31c8399926fee5b1","impliedFormat":1},{"version":"f351eaa598ba2046e3078e5480a7533be7051e4db9212bb40f4eeb84279aa24d","impliedFormat":1},{"version":"12aeda564ee3f1d96ac759553d6749534fafeb2e5142ea2867f22ed39f9d3260","impliedFormat":1},{"version":"4ce53edb8fb1d2f8b2f6814084b773cdf5846f49bf5a426fbe4029327bda95bf","impliedFormat":1},{"version":"85d63aaff358e8390b666a6bc68d3f56985f18764ab05f750cb67910f7bccb1a","impliedFormat":1},{"version":"0a0bf0cb43af5e0ac1703b48325ebc18ad86f6bf796bdbe96a429c0e95ca4486","impliedFormat":1},{"version":"22fcfd509683e3edfaf0150c255f6afdf437fec04f033f56b43d66fe392e2ad3","impliedFormat":1},{"version":"f08d2151bd91cdaa152532d51af04e29201cfc5d1ea40f8f7cfca0eb4f0b7cf3","impliedFormat":1},{"version":"3d5d9aa6266ea07199ce0a1e1f9268a56579526fad4b511949ddb9f974644202","impliedFormat":1},{"version":"b9c889d8a4595d02ebb3d3a72a335900b2fe9e5b5c54965da404379002b4ac44","impliedFormat":1},{"version":"a3cd30ebae3d0217b6b3204245719fc2c2f29d03b626905cac7127e1fb70e79c","impliedFormat":1},{"version":"1502a23e43fd7e9976a83195dc4eaf54acaff044687e0988a3bd4f19fc26b02b","impliedFormat":1},{"version":"5faa3d4b828440882a089a3f8514f13067957f6e5e06ec21ddd0bc2395df1c33","impliedFormat":1},{"version":"f0f95d40b0b5a485b3b97bd99931230e7bf3cbbe1c692bd4d65c69d0cdd6fa9d","impliedFormat":1},{"version":"d9c6f10eebf03d123396d4fee1efbe88bc967a47655ec040ffe7e94271a34fc7","impliedFormat":1},{"version":"8dd21a3054ca0c046840c308b014aec4cc5be0824a2504e365c4d499ea206ba8","impliedFormat":1},{"version":"380b4fe5dac74984ac6a58a116f7726bede1bdca7cec5362034c0b12971ac9c1","impliedFormat":1},{"version":"00de72aa7abede86b016f0b3bfbf767a08b5cff060991b0722d78b594a4c2105","impliedFormat":1},{"version":"fdf949030336b31644def7e6529d500301fb2b235a51691de84c36ffdaf8a2db","impliedFormat":1},{"version":"5208bf3184136d545f7a68a3991f68f15c8319ae35a86a51c93c9bc7cc04b6e6","impliedFormat":1},{"version":"4f5bbef956920cfd90f2cbffccb3c34f8dfc64faaba368d9d41a46925511b6b0","impliedFormat":1},{"version":"dd7a3e1f2a79a6fa8e08b00c8f9095b6102b814492106a62062c845c3696975d","impliedFormat":1},{"version":"fd53b02b51f3b38b6c57bc7a2af7d766d9b0dbbf7376d9ec5027339a478438b5","impliedFormat":1},{"version":"7b7f39411329342a28ea19a4ca3aa4c7f7d888c9f01a411b05e4126280026ea6","impliedFormat":1},{"version":"ba3ef8ea20ac0186dc0d58c1e96ffaf84327d09c377fd82f0ae99236e3430c3a","impliedFormat":1},{"version":"d66e97aa992c0fe797878bcad6257562829582f5f3a2842df71e613e60f7b778","impliedFormat":1},{"version":"a86492d82baf906c071536e8de073e601eaa5deed138c2d9c42d471d72395d7e","impliedFormat":1},{"version":"789110b95e963c99ace4e9ad8b60901201ddc4cab59f32bde5458c1359a4d887","impliedFormat":1},{"version":"92eb8a98444729aa61be5e6e489602363d763da27d1bcfdf89356c1d360484da","impliedFormat":1},{"version":"72bbfa838556113625a605be08f9fed6a4aed73ba03ab787badb317ab6f3bcd7","impliedFormat":1},{"version":"d729b8b400507b9b51ff40d11e012379dbf0acd6e2f66bf596a3bc59444d9bf1","impliedFormat":1},{"version":"32ac4394bb4b0348d46211f2575f22ab762babb399aca1e34cf77998cdef73b2","impliedFormat":1},{"version":"665c7850d78c30326b541d50c4dfad08cea616a7f58df6bb9c4872dd36778ad0","impliedFormat":1},{"version":"1567c6dcf728b0c1044606f830aafd404c00590af56d375399edef82e9ddce92","impliedFormat":1},{"version":"c00b402135ef36fb09d59519e34d03445fd6541c09e68b189abb64151f211b12","impliedFormat":1},{"version":"e08e58ac493a27b29ceee80da90bb31ec64341b520907d480df6244cdbec01f8","impliedFormat":1},{"version":"c0fe2b1135ca803efa203408c953e1e12645b8065e1a4c1336ad8bb11ea1101b","impliedFormat":1},{"version":"d82c245bfb76da44dd573948eca299ff75759b9714f8410468d2d055145a4b64","impliedFormat":1},{"version":"25b1108faedaf2043a97a76218240b1b537459bbca5ae9e2207c236c40dcfdef","impliedFormat":1},{"version":"28c03de15ec7540613779e3261fe81618d4c349c018e81186dc0f33d6e119c3b","impliedFormat":1},{"version":"3c604a9f1d21f84dd286d0b02ed8950e19713db490b44c20da7e64a20e55d0c2","impliedFormat":1},{"version":"3d9fb85cc7089ca54873c9924ff47fcf05d570f3f8a3a2349906d6d953fa2ccf","impliedFormat":1},{"version":"373adcd45da66437ea212398d3f3c028979a0a2ea45da631764653a62fa77923","impliedFormat":1},{"version":"db08c1807e3ae065930d88a3449d926273816d019e6c2a534e82da14e796686d","impliedFormat":1},{"version":"9e5c7463fc0259a38938c9afbdeda92e802cff87560277fd3e385ad24663f214","impliedFormat":1},{"version":"ef83477cca76be1c2d0539408c32b0a2118abcd25c9004f197421155a4649c37","impliedFormat":1},{"version":"93962f33d5f95ebfe4a8299843b6a76d119e45d0e16ed8550da2667dbaf1928d","impliedFormat":1},{"version":"3f0997c4d9dc2ba4b6e069ca70f54bc2207f496631ff8a44fd99b9bad67a84a0","impliedFormat":1},{"version":"2f0f0c0aac4234f866a40a66c3e2a01756c9b93198f546c60beaa64bcc6da95c","impliedFormat":1},{"version":"5645b5782f36293cdb3f0a129dd24c396c87ba6fc215def42ce0448e4bebeb9e","impliedFormat":1},{"version":"78f6a5a6d3bc9fc8554b25046db35b6d338d028484400fa04a226c5226eb4f45","impliedFormat":1},{"version":"1df7dc6ab774ac73be75d5788a724a8f2294d0527d257b7f086d1bee340986cf","impliedFormat":1},{"version":"a944e24b25527b44fafff67d7e1038c704306fda7e655382ba7dad0871ec70c1","impliedFormat":1},{"version":"bef348ef12bc0c368abcd4ba4a46cf48dc84679b265f0fe8752aa25270ce97e4","impliedFormat":1},{"version":"df7ec168ca2e4847bc90a57b813c8a0cf9609daf38bfb9d488db7edb7f74c9b5","impliedFormat":1},{"version":"a2b93a57c516c75e604f694e4fead11b71bf16352edac9f38aa7831333876b7d","impliedFormat":1},{"version":"dfc0fae1c0ed3f71dbf79d9dca1b1e8d6fbc26adcbe7d56577ee10d4b8e3fcd1","impliedFormat":1},{"version":"e43442b9f2f7c3b49c22f09ab7fe07f29a31cf0711f72cb5cc8198746ce004ca","impliedFormat":1},{"version":"b6a475edb1b080fe58ffaa50d672126612a8c536e940b3f7cc11a15c75758d7b","impliedFormat":1},{"version":"274184f91c17faaea7b9e1671e52eadb75444f6d1aa6b44e7c81573e0bddbcc6","impliedFormat":1},{"version":"3baf84a638667601ee13d9dfe0fa99f353331436578ecd70ffce93e11ccb374f","impliedFormat":1},{"version":"102bf558d8b0cefe17368ef277689ec77b82a5349fa3f6bf465bf53ed53121fe","impliedFormat":1},{"version":"669bf6064fa08699786182ec19678fefe17a0590cccb35e6b3ecadf7735bd015","impliedFormat":1},{"version":"1db60f08679219a09bf0e9ebf4e5a91c1f35c84b40f3329bd93ad9332be556bf","impliedFormat":1},{"version":"15dbe6ce66935c1f9926df889ca0a08c4430b666ac6898debcea0adc36ad47fa","impliedFormat":1},{"version":"03515beeb4f5e6858c23b9455afefdffb5cd47a525f5b2e4cb00cd5c06c0e62c","impliedFormat":1},{"version":"8216f59c279cf432a8a66f6fd73c3c54d118aec82b7e3aba645e3e8007ad1b83","impliedFormat":1},{"version":"d09a7550d9ad3fc8a5809e0f7f903378fff314eb246a68d9e9aea649d8eff025","impliedFormat":1},{"version":"d9061115b4192c52f99d5066ec91cbb6224345b623034965d5855d7d763f296d","impliedFormat":1},{"version":"917a52afeaf513d289cafc53c19c1825573d887995be20acdd7bb12425a429ec","impliedFormat":1},{"version":"8215cdc97dddfec6d1441d2766dd7f9281efbab65924bd056bd9687e128eb970","impliedFormat":1},{"version":"5bec6d38ed4ae1380ce23dec5a30499a7820e00050f5d8fa2ab52ddd36bd867b","impliedFormat":1},{"version":"b76cba0aa74ec977479930f779a36e890fdc2d13964aed239895838be4425a96","impliedFormat":1},{"version":"60ee8194bc8fed1cb9fb12d54bd8816732b85217d3faeba5eb1719b8fc1734aa","impliedFormat":1},{"version":"e5fe59d781b28e3686f7e260cec28fb25c52f02692d0e59437f6e65672fc36c4","impliedFormat":1},{"version":"de3648f0192036c46b0313af3dde52be9fc93ce1cab5a79d0ffec1f4e3d4e2f8","impliedFormat":1},{"version":"dad49cebf65104c23f67dc31f394d8cb356a604c7146994f4d711b4838a37d43","impliedFormat":1},{"version":"f851a5f903d8912a4db5f60aff0638ef398756e5665aebb97f589977695fec56","impliedFormat":1},{"version":"3f8fec494776c860f8e0cf490ede6f9afddec3e8663f4001ce2a101ebf7ea796","impliedFormat":1},{"version":"11e78e95120bc55e0ea18e37b67c5e27b96409518c509f90ed5002107b528e64","impliedFormat":1},{"version":"1a70db46c17bb7fcafcc991e1717ab94b78208c9d7b18c6e79f4227734bab841","impliedFormat":1},{"version":"18a9a51df44b3c9bd293c23f617090e4dedfcfba7ab27fd33d206e15f5c0001b","impliedFormat":1},{"version":"a2dab2f35e2c669ae708f5a5d360a7aae5b11565dfdd90fe748848922b4a8c85","impliedFormat":1},{"version":"24b8d7275fd4ca5fd5401095c62d4b07cd085d55509368f79f5994b2009cccea","impliedFormat":1},{"version":"7c7b49e40da80da0e5e015c1911b2836179232d4dd98be2c094f338e04ba0b6e","impliedFormat":1},{"version":"746c0ce00badeb9f778868aafe4396c40761a69fd54b3148afc8b37d047d873b","impliedFormat":1},{"version":"fab3bcecef5082b095979ec056c8f2fa4e31ed91e3f259ef6f9621323371acbe","impliedFormat":1},{"version":"6b82d98d1e1b78337186011496c0175281aac57dd34f877f339dedc135a6df06","impliedFormat":1},{"version":"5391f9721dfc92f337dfccc3eab4e23265c7f3668367dc97dde138e56a62e215","impliedFormat":1},{"version":"3052bd27bc371e5d61887a85b6f23151c7bbf8f801a3d521d35a971f0d9b0e1b","impliedFormat":1},{"version":"a27ae33e8f2563aa6fc853c5f5d8d80d734ef7ba9f2e2f4a110be8b3e3cfb870","impliedFormat":1},{"version":"ab1d0382851564c048a263ee44a48f20c724c59696cc97858dba17402d402cca","impliedFormat":1},{"version":"604ed425c45aed8fae34aeecfdeefff7eed0563359bce8baa068545e6cb0d235","impliedFormat":1},{"version":"0c9f8d2ca427004ee5a8f08464e7086b897a22cd586fd718988e0a7f287ec3c6","impliedFormat":1},{"version":"7eb4277ce0b3094c105c2d72a6f348255c851a5c6bc45f97c6418d3d4883a3fa","impliedFormat":1},{"version":"76c0591d5a59f0e9c33bda36ee8ab60bdef71d7b0f03be065010e5aaa44037a5","impliedFormat":1},{"version":"8cab7683337e440accc4c005b9bebad0336ff14ce2b1c592d8a0341ec33367e4","impliedFormat":1},{"version":"d0a965bdfdb6a6a8f7b04997c23079e28f3cea3a27c8e577103900e09487f9fd","impliedFormat":1},{"version":"754132fe6044269fc1af78408c5758d3fe26fdbf508718c0d5ff82c03c978675","impliedFormat":1},{"version":"d55d49516f0890085a63ee2b49e0dbee04e11506600a1dfd51b5c2d76661c9dd","impliedFormat":1},{"version":"c7b2cc6a533df8e99c2417d3959b012169c975619ef9331972fcd4b1766f4198","impliedFormat":1},{"version":"d68a447e87437ba34c27cdbfb59ae1af3a9ee8111c02e4585b70b074f9396934","impliedFormat":1},{"version":"f6717ce65b9ea9c85912e617810c196391b30d460ee8bfbd57e41fd9b93f57f5","impliedFormat":1},{"version":"7c7b7e252e1c958ae44c6f78d507fd3c55a2b0c66e26c7ccf535d2d20ccc150a","impliedFormat":1},{"version":"8c9bee59cf478fe07c4740daca80aa508ef54688e9f021a96d17a14ac60e31ac","impliedFormat":1},{"version":"9b90af66ca3f6844250d2b731aceee869991571a095ec9a7259619520a305f3d","impliedFormat":1},{"version":"4149a3671c4712052252dba067f128ba9d085bf1a66e1d7c339ada9c3f0e2fdb","impliedFormat":1},{"version":"16b1adb96e04923703236245679ecc8aa2749980a24391cd7a6a9f793b460119","impliedFormat":1},{"version":"67fc8c4fa5dc0abf1ef6d3ab348a2c43be354d0b29aa04a2f16cdc1525e12cab","impliedFormat":1},{"version":"74240832859d68a0211296b55c8c47b18e37e36872142157fccd0a12b6df4228","impliedFormat":1},{"version":"a94bb7523194a2dd872d493ee97f63fb0454d6e2856f9a8b67011b4bb06a4bb4","impliedFormat":1},{"version":"dcb180cd664f848da2c40f98ee75e84989e9d9f46b513fd331fa4999971c182b","impliedFormat":1},{"version":"83d83ce5d0a00b88ede49cdce3743654a4ed831d4b87e7511a0b4844cd9252f9","impliedFormat":1},{"version":"d93846e922ddd54f9dcef91e0d742007aaf3c01bd511e5aaa019ac2c02c4cea9","impliedFormat":1},{"version":"af1f935833138b708676aa5716e4a2b30a1b9b431033fd27ddcebca7100bf5f0","impliedFormat":1},{"version":"ee104fc3be3ffda23a66e638167c346ef853b33b5083ce7e0a150a6b41b5479f","impliedFormat":1},{"version":"e2b3e47db37188e41c6fb3e2a3fcd48527a7aaa690e4d279474cf345bd631116","impliedFormat":1},{"version":"d932ca6ac75f4c41053b94dfc713d3f58fc7419dbe2a76cb591cf83c03e05375","impliedFormat":1},{"version":"5f48cead1e6d7250daefc2f31b96481f209f4921b7bc9f04b33542327140dd80","impliedFormat":1},{"version":"15bd5b96b8d796e79c7a4c4babf4bd865c24bcf4093dd2c53ba496bd242e1f3d","impliedFormat":1},{"version":"69dd472a6f506ab72b0b8f7107288b349dcaf76f30b829639c74f70cbc71011f","impliedFormat":1},{"version":"d64a3f0853a570b529d33949dccd64dd6a6f8e9a6869c39aa8cddef77ad0259d","impliedFormat":1},{"version":"98fc6830fbedcf0ef5b1c621fcf88dd4a48d1a5e5db769946e209df3aa085098","impliedFormat":1},{"version":"e95cedc21ce1e44567ca69520c3fa03e45be7b4179e9c8d2e074232b8fb0b35d","impliedFormat":1},{"version":"399777df73e6232a296fc530b8c818323ade7259b03bec7ea51375b281f7294e","impliedFormat":1},{"version":"cfe0fca98caccf52574306b086998c8a2f4d0421ee5c846a0e6ea7b62c45641a","impliedFormat":1},{"version":"3dc41e9e459a6f6753d69aedf535a5b8d0fa389f25eb0e581727ff64560d8bd9","impliedFormat":1},{"version":"619b6f08f7e95a0bd6ff85621de92d24f65c2f2dc4a109dc78ae1939540b145d","impliedFormat":1},{"version":"ca9a6449ffb4ad480984c051c2fbb26087f40a2fb93fbe03052fb3d81c44876b","impliedFormat":1},{"version":"276ef457a9533ca700bdd152c88cfd1ebf2b468da7c535d9b4fcde96d9869f19","impliedFormat":1},{"version":"6ed7cc71d4668957e00e622ec36718d7de93f8b2bdb764bdeb97d23dc463ef06","impliedFormat":1},{"version":"354cc5f6ed65fe2ff6fb8b117716eff61275ecb04e637e8e9798dc3222154f14","impliedFormat":1},{"version":"c22a75475a993a409f4fb255b359587b6d3c62585008631f9e748f77c9c949a2","impliedFormat":1},{"version":"263134d9d5993987860b8bd7af82ded88d0330f50426600de4500d734a6beaa8","impliedFormat":1},{"version":"45f46d363e85c5a0d84b4430ccbc13f479660b85412a105f7dc7b4259b5ae574","impliedFormat":1},{"version":"3d8e9cb24ac960272358cb19942678dfe3fe9d8c237e72aa5d336b58d53dc9ac","impliedFormat":1},{"version":"85ee8f20aaf08c33903ec25df9219fa488cdd2fe37a400a8dd8103c7fc3dbc07","impliedFormat":1},{"version":"37290e84fde86f35f7aa0cfe306b085e90e2f349ef859f02ac54d8dc149074a0","impliedFormat":1},{"version":"515f1ccce6cabcf55b0bcdb4cab779a7c438221e2ef935527593316186d12e16","impliedFormat":1},{"version":"eae62192d1b137aaf1b03bda424b03ed72000481d4c584b9eafb0f2fc8b9cc2f","impliedFormat":1},{"version":"a025415e5526fb04a20f05979126721681f317a01f3341853e69490cb4bc44e6","impliedFormat":1},{"version":"ad2ed280e2a994ccdb9f5e1021c7cc27fbb4344bcea7dff819c7e3486b48f149","impliedFormat":1},{"version":"fd2caaf40cb9b030fe1c79f6fb1190341c1228d1ed15bd30fc32accc5319c0fa","impliedFormat":1},{"version":"08ab867725d9790c6e9fb013d090966def2173af60a5d30a76c38b0aa9b18d3c","impliedFormat":1},{"version":"ef3e33fd47b06c910ef5e22644348ae472e375dada57101377dfba2471bf14ee","impliedFormat":1},{"version":"c9090788cab814e2a3e1e4e40d6277d9546062522488238d6662907008357ef3","impliedFormat":1},{"version":"3fbde796370d305e3feedc8f095d60ad27984d5e83c4a4fec9a8b0c6aade4977","impliedFormat":1},{"version":"b12225e53b8475702d06e223104b29d1b89d6853d4aaea1bf3af8d6728cebfd8","impliedFormat":1},{"version":"0601b30571203b3b772322fcda631ab43d17fb291d93b33ed32bb303f0cc8629","impliedFormat":1},{"version":"01cf8d1d4314d15b2d1a254b3f7bd1b0180b3e5b3a519131773c41d7640d26b5","impliedFormat":1},{"version":"9821b950ecfaa879470f8777fb5d6477c4cbf51535e75a5481f580984bdf1b00","impliedFormat":1},{"version":"b0b4b43979a1ee3fcdc7a171f4458c9829e44e0dc34825ab0b8ad17678108a9c","impliedFormat":1},{"version":"4cf4a3d33ef2ab41bba5ba8353320534225bcc41298e352195b48f3b1dd590bb","impliedFormat":1},{"version":"f2af499d4e77b209916282c0e89afc19f9badedeb12438ae8fc8deda7c26f79a","impliedFormat":1},{"version":"b89874c3f3a851d840e2a02fcd50f37531468f64236a6698d7b4e45921cdae54","impliedFormat":1},{"version":"f08bacdf8a2d9585656a106f70e39f17f4493e57b27d74789508783b31059d0c","impliedFormat":1},{"version":"39e52f6556dfd29ebe4c27cc80dff0e1f39bc4aee15e9f2d7e2566d6305ae489","impliedFormat":1},{"version":"6dc3b7c621df1de66372c10590c577cc78b2b8f400d6b73760deab45e900f37d","impliedFormat":1},{"version":"ba55a2c857a7b7be6f1ca56de28e572278102e1c4f0c0adb82fd7189a1f72087","impliedFormat":1},{"version":"75633295ee912fc9bc2cc97c6d49467194d3a7efd508299fdf49d3150ce5d0f7","impliedFormat":1},{"version":"6389044fd4b1e197f2909735cfc4c9c36ab60997765211e4729d3eb084514a14","impliedFormat":1},{"version":"a249e0267f67aa9d17a34d4f6f66ba497c35f4794dbac7a9562867f9058cc94e","impliedFormat":1},{"version":"bc27229d3ead574431746469ac795fe2d26f92d8c17bfd32c6b7d5a87ac21d40","impliedFormat":1},{"version":"a59d770774302bfbb714d8efdbd2f1ebf0ebeac394d4691da865d91e1568b21a","impliedFormat":1},{"version":"e7a01b1ff34b58ba4c32ec27926e968545a788bd3842370dffd82f7ed53880c1","impliedFormat":1},{"version":"4389d61584635554575e08bbc742c9f9396b014d4020c529ee2e0fa6ea33e0da","impliedFormat":1},{"version":"ae35726394b78565c1e31596327b39ef093f10553a9d93211820430e3eb12f30","impliedFormat":1},{"version":"79e2b7c326f5597657beec5b7fde02230212c4e90387fa2ee786c2706c98381b","impliedFormat":1},{"version":"2344010e666a4f71021b4daeddb495a7006cc37193052f37ac3ffd4057347f1a","impliedFormat":1},{"version":"9883753dbf22048978896802ffa68c45979fcf1a733c2d2c8d5b0af20fafefbd","impliedFormat":1},{"version":"140f114921466842827a6e6b9bb2e685660265f32704824842e781cc6db89d6a","impliedFormat":1},{"version":"5ac147fb256db95d00eed0057967e11ce2b7760e46ef1cf465688ea24b6e336b","impliedFormat":1},{"version":"a256fde44cb4caa9c777b1bb241140ac145eaf1e479f8dbc4a20dc88d99520fa","impliedFormat":1},{"version":"3942de1dc8901b3d0bcb247085e575a9ecc2478995b0e7c95b7633a4fa0710c3","impliedFormat":1},{"version":"63d3bbc2250a9c1c75e76189c7189d377bd373aca084df9e837e3f0cc56301fa","impliedFormat":1},{"version":"44089c1eac8a3c20895d837960e7beba59f1d1088070235e51e21eb8caf6dd1e","impliedFormat":1},{"version":"0d52bcbc2d3d7f47943e26ddb6c4684aa891613dbb637e060306e3dcfbd552ec","impliedFormat":1},{"version":"573fa9e2ccddd27806fa0f9b4d76114a5ce7b9c9f3105571c43b377a8282ae3a","impliedFormat":1},{"version":"ea3da74c3e88e818a8f7974f57f9c0b921b6b41e40e1f02857a4237b8988ce3a","impliedFormat":1},{"version":"371017fd09598f4baff5b75c567e5138881371de3ba15373e76e3afda6c144b2","impliedFormat":1},{"version":"e67b317f7f4c1d652031d95101b24e9308bb6632af012c3c0d36d0d5f530b681","impliedFormat":1},{"version":"0fe44ad59c1fb3d1e50bf08664fc0935e13b0c30c4151bfc755849bcf1d8606f","impliedFormat":1},{"version":"e297d939c9cfac7759ecd817c6a9b47daa8c8b0b2498ad580f0676fcceba015b","impliedFormat":1},{"version":"6b08e3337d3f7a7b750628dec75bbae297ab9f6a241ba61c5ac51e33e4c321f1","impliedFormat":1},{"version":"af5707944609de999aa103f481c68cde34d99059236d55e896d2f53ff584bbe7","impliedFormat":1},{"version":"b9b1008d26fd9c55d66a2f0021a96a4c673e631c448ce73d37b75e8213866cb0","impliedFormat":1},{"version":"79d53bcf828132e443efc26ab5ea14b46e8da033c50c535b18950851bf46e3a4","impliedFormat":1},{"version":"26361031b7d8c04e90cc69d25e8234d7efb246b363b301a29f807a6a0526478d","impliedFormat":1},{"version":"c5f76a999743e5e03a7d311876ab5ba8e3eb0a6ba9ab549f57ee58981153a31e","impliedFormat":99},{"version":"637d1579a6a5abcd1c66e8fa2eaad33665d3e7623f3f9a0ff417cf7b4b48aa62","impliedFormat":1},{"version":"2620da3a2a92c6e732bbec8a0c5780ac4883364a69dc401eb3ebf4a9b7289b83","impliedFormat":1},{"version":"df40a4e649303feb4cf654e1aa1bce8ad636ee3baa5a19bd9ce6721b9c15c81d","impliedFormat":1},{"version":"f71d3bf8981c88cbbb4bbc4f03b8d59fd1fa2fa05facd33e896e3fbc3eaf5b0c","impliedFormat":1},{"version":"7f6336d3d4e26d3767a61011da85d8f87e730b37dfbec75826d1f8cf8672459c","impliedFormat":1},{"version":"274d8c8bfe030fe6beaa4138a1fb6d8e415646f203c8082bca2bcb05ba3bfb2f","impliedFormat":1},{"version":"095c09bce79ffd9a72b151f8c7141d3dc26431d66eaeeed801a3578032f94ba7","impliedFormat":1},{"version":"9c9f786ae50f360045e3b830851797d9776ffc6c5e80ca24290be9ab677a111e","impliedFormat":1},{"version":"77881c56ac351b035b825ea663519286b6741956c20269c7024e2dbc0197d18d","impliedFormat":1},{"version":"cb59a36e74dabb46f6665c207726d2e8c9a3830e984971daa4dbeeeb937c8a76","impliedFormat":1},{"version":"19d94c4070065d8c90862591f32ad30dda305bc6152c2aeee69a5df773a453ea","impliedFormat":1},{"version":"15f352860078ad388aa61a4521eacbd0f92d760eb0e37630f6d283c2c28af354","impliedFormat":1},{"version":"44a0f94cfc395675ae8b3885086511a1839651cb489ebdf87bdf28247d29a16d","impliedFormat":1},{"version":"f28fc3d405e388904cd977a7ddce5a51a9a6d3649a49552cdeeac9c76bb25503","impliedFormat":1},{"version":"296b35cb5bcce1b804f498b6fda7451f8ea0e8cb429c756904c72c2c91e25531","impliedFormat":1},{"version":"e8a112d3b8b9813ed17fa006b7a1956cedaf3815f4cf51384ceb2854288a4dfb","impliedFormat":1},{"version":"46cefd63181e6d876878b34ad3b91902f2c1c1fa276a943694af0599f031124c","impliedFormat":1},{"version":"70a1e1be28ddfd8d3b255659ebde5563c52905ae6e4ea7474021cedb36f7d22e","impliedFormat":1},{"version":"b77b6311babfa69decf3b7cccbf088e538aaea504f4cad4b4b841af2689ac011","impliedFormat":1},{"version":"b2dc35c6e03b2a395a1d1ea0b62bc59dc271a3e75c566d6c51a8a4fcd54f910c","impliedFormat":1},{"version":"033cef0aad2bb8fd84e0ed77a10993e93e2dbca0f407ce80b8e89bdcdcb7f896","impliedFormat":1},{"version":"865d9b81fd3b2102f65fe9e2e843776b558132d250a926a16b38aff9e696d6a5","impliedFormat":1},{"version":"b6fffbee1aed5dce3a2b28ba9ce570a6121bdb5a34faba58290efce589cb6754","impliedFormat":1},{"version":"d4c99dc22131b1e65f84d19240e325421bc19dfcc08f5ce088b335d4f1fe34f4","impliedFormat":1},{"version":"57fa0095c2859094691afcd8349073e1147d306c65b287efa0d75b42588553a8","impliedFormat":1},{"version":"84d1bd0e6c584c23052096ffcc6f1a8e14f7f1ca11d4f525128b2c4bd893c7d6","impliedFormat":1},{"version":"7a2dece5296b8d1801c70836cc77e08c5ccf9ce9133de7834f80cc35b606dffc","impliedFormat":1},{"version":"f8dbafc8d21974edd45f290a6a250aa956f0691658539e0d45d4ce36e661c0a3","impliedFormat":1},{"version":"49b67b3a1c43f0c7bec6d4268d5fb93dd590b8b75c9eb3da52e387b180dd1c9a","impliedFormat":1},{"version":"51f28791fbe5e70fdb9c91d5d27b43e56517c36bf08b83686f62d134e5d6716f","impliedFormat":1},{"version":"088358ebbc20cc651cc64f748206745b75bb1ac6a6571636a0d6020277375a79","impliedFormat":1},{"version":"6a16e01a93b287a8064ae4bacaeb5925ae41509811c1a406669f62efc2dab864","impliedFormat":1},{"version":"34e27bde53149ee00fd355588ed4f1e1e665ff50b15be6476b7f240cccef369f","impliedFormat":1},{"version":"44ff06bf0587621fc5c8f8575621be621cbc4df5b2b80a06a16e5dccb9876385","impliedFormat":1},{"version":"087c591ebb3628e364f84a3be45e1c7ca9b469c120ea15339a6dadf7ebd56358","impliedFormat":1},{"version":"bb2f7056499934287778363c2640001fe2ee160d290f5e7cc08dad9e4029d45a","impliedFormat":1},{"version":"d7df55e515de47bee8c0766b0512f043ae93752b1689a0cce23e6b8a42f18dcd","impliedFormat":1},{"version":"5ee1e4fc68a82343ef3837e99cd1fce0bdbaba1271da68016cdbbae362ad816e","impliedFormat":1},{"version":"22ebd8a51d1783aff423067fdd88fbc96fb17ebadfb117ad2b25d21e4e22cb34","impliedFormat":1},{"version":"4ac88a143c9342db6e1599d9dfe47f0e0f53554dbad2dfca5dbe7ae5952546a3","impliedFormat":1},{"version":"d06fe49a2691f85081f2b7af3996418803fedb123c03a8ebb3c03c61aecbf5c8","impliedFormat":1},{"version":"43d0e5bd24b58b109989af4d57dad2b06bda3151ec27e1ce8fa10b773f433d57","impliedFormat":1},{"version":"ebd1db93fddac1aa841af2feafbd2a5d7bd0637801c2ccf27ad2fff8c9477bce","impliedFormat":1},{"version":"a66f2c7689b5f2fbeca5da73cfdece848a7a2edd300d7830dc80b25e5a831202","impliedFormat":1},{"version":"c64fc4296727ef52b8b97a80379202e413c88ed7e6a7453819f7b518b2bf4adf","impliedFormat":1},{"version":"b93b56199cf18da92bacdf43f8921fd11fc476f3c46bf2cc0f6af7b7aef6021a","impliedFormat":1},{"version":"a4649460693aa20f2b38b7791f8a2f5c845fca83f8757c23e8b493b957412daa","impliedFormat":1},{"version":"aa1e9c8569995c48933afea506f9fd7c0d52baa548cff03848a3ec5719a4d9bf","impliedFormat":1},{"version":"c7e140402ae4daebf77f2865a5cc4dc9b1412e1ae109c88724ffdeb1bf19e77f","impliedFormat":1},{"version":"40914857500f0460eaa6fa424307ef17c35b3b98f609eff38f9f819259b10423","impliedFormat":1},{"version":"b2f515c722221fb526a969837a175a13a61845acfb5596733660cf07d24a7022","impliedFormat":1},{"version":"5ebfabee94730d299111e2b974d66713cdfbb61b594932a6d2bd28e72bba05a1","impliedFormat":1},{"version":"647a9474f10624fa95a211a862084d02c8fc4e649dbc273d43e922d352d98ee6","impliedFormat":1},{"version":"0741f2f6c55083ae6d94604961e6c0c76746d807bd6e315e87746f3165b8df96","impliedFormat":1},{"version":"999bd1e06ec3d1f87e771d6272d4cfa090d7319bb78ddee80873a2c7180b385b","impliedFormat":1},{"version":"75d36e8ab96636bb2ce9b3dbc8bfaccce006a407ddfeab60b9b08fde4181621e","impliedFormat":1},{"version":"2b9a98fde032318fcf4360444686e9bf7959df7361eb308375c37a6dc7a10e49","impliedFormat":1},{"version":"d4cd6138593ee229ccbb5a069d34a66e4340c958370e5e927a51a49460619aa4","impliedFormat":1},{"version":"e46d624cc7dbb89bfdcbd1c86113c3e79cb130c7f6168877d389da9b4471bcbb","impliedFormat":1},{"version":"e7aebccd51d863f0a0c08c5413f5b50c2fa92c7ecfe55ee828a40b8aa7e1813d","impliedFormat":1},{"version":"234921da5ae27a2f3778f1ee259a74c46b1e082a9cd3b531b055e16f1b96c80f","impliedFormat":1},{"version":"09cb2afd863f361790aab536656a19a4f6394569a15f675a07313ce3e892590b","impliedFormat":1},{"version":"a71a47995ee00b1ca76e8b9ba1957cb102decfbeecc18d95a475304b98fdb391","impliedFormat":1},{"version":"6b6578ca4f466032fdd81d47d967a2efa1b1d3f6d8f928f7d75cf99426a26ca9","impliedFormat":1},{"version":"2b4276dde46aa2faf0dd86119999c76b81e6488cd6b0d0fcf9fb985769cd11c0","impliedFormat":99},{"version":"56a37fc13e7a1756e3964204c146a056b48cbec22f74d8253b67901b271f9900","impliedFormat":99},{"version":"5ecea63968444d55f7c3cf677cbec9525db9229953b34f06be0386a24b0fffd2","impliedFormat":99},{"version":"b50ee4bde16b52ecb08e2407dca49a5649b38e046e353485335aa024f6efb8ef","impliedFormat":99},{"version":"0eb4089c3ae7e97d85c04dc70d78bac4b1e8ada6e9510f109fe8a86cdb42bb69","impliedFormat":99},{"version":"324869b470cb6aa2bc54e8fb057b90d972f90d24c7059c027869b2587efe01aa","impliedFormat":99},{"version":"06362d62344786440c6c9eabd8e4f3240d3001c51480e4113072629782a8ecd6","impliedFormat":1},{"version":"fe1b2a01afdff9810a5205ef2d74384b815a8d5694286346f62d3cf1bd987fa3","impliedFormat":1},{"version":"6f9a2f44098f7f2340ff3244a6e2dfc59c3d6bbce3988e6cc8ea8d3a979e09e3","impliedFormat":1},{"version":"a0a6e788cbcdc34a7cfe08731ebdfba8d3f28d5a118727e687bb535f8098cef6","impliedFormat":1},{"version":"14b11a1eb2cc1bd72e21718e6a8e1d112fc2502cffab7f6606ad8338e5cc7917","impliedFormat":1},{"version":"f3576b01b35c48ec5aeb01ce767ff580777ae89c75874131127b7c184fcbde3b","impliedFormat":1},{"version":"835b0b230e615a3169c9fdedfc7ce319b41bb3e1f80db7d86704061aff8fc3be","impliedFormat":1},{"version":"198a3f36621a082b8beaa87c71ee354f1a87afcd03350c03ad9afc151c076035","impliedFormat":1},{"version":"fc963da723bddd0988a0fc5dfa5a48ab1f69c39ce6befe19d2d527c4fef846d6","impliedFormat":1},{"version":"2bc118f5a59cc35119df56a1513e9a16d6f21a160159572cac8cd28ab90e60a4","impliedFormat":1},{"version":"6f5b42baed63275ff1da3231e345ddfef5e2b475b870e50b5712e53d5242de5e","impliedFormat":1},{"version":"283320f9a1580b51e4118b98813e1f5d69deeca076a5d830537230a21f1fb2cf","impliedFormat":1},{"version":"33d8fbdb3ff691d7a53f7b742b3a72f251fe2000470d3262116f4b0672c5a611","impliedFormat":1},{"version":"1b955a96bc1dee61a0421c673a8dae977beb2194cc822f48524b88e771a849c9","impliedFormat":1},{"version":"7bdcec3771afbbdebe314cc60ad960d7845f127db64e85538540c6032c312602","impliedFormat":1},{"version":"9b37fe8dc52ac68bf4c8e52a15254b2ba050095755abd9fdf0ff579569434640","impliedFormat":1},{"version":"40cc0750399520779410d43371ece355213e3632c97582f85b96687b9a1a9720","impliedFormat":1},{"version":"bafa3a2902c31224238427ba4bdc724078a1386d3b0f2ad701ac990d87e25a59","impliedFormat":1},{"version":"850762649df344a1f0be56b02417b7fd0d291fc013832463b401252d4a066a80","impliedFormat":1},{"version":"b599c33e84efe8ef19d4cc8baec02545c3b13e9a6e742fe74b63812a23565d59","impliedFormat":1},{"version":"c30e42955d53ac30915db7efe63d42728f6d5e48dc943e401ce8f590392bef3d","impliedFormat":1},{"version":"598768ca4e74fec68d944b4a7a9632cdba65a174cfc91ac864fbec156a08d7c5","impliedFormat":1},{"version":"761315b2203408afc92f352b89084b778564edbcfd8a8e331d8c00a4df349f5c","impliedFormat":1},{"version":"acd3086fff0acc16aa47bb586eabdf66195f032c4d13a0becf42a9f39161b02a","impliedFormat":1},{"version":"768c5ef2ca6b0ad181ab7555b13e4717b28ce1caf880a1491774d65d2da7ebd1","impliedFormat":1},{"version":"04889d694c35559b1a777d3029ea1e9307bf7f07e16c133028096d09f946303c","impliedFormat":1},{"version":"d94d916d47de77384fd9516972d03907fe196c5180bb2fd09a7797e5ce93a2b8","impliedFormat":1},{"version":"9b95cc27ce2686fdc4cedb5ece9bd8cc70f82ba95923047988eed340884f2290","impliedFormat":1},{"version":"8ebb5e6c99376202c4b4e6c4fb905eba7cb7539077c0a3034960bc93e19e8c9c","impliedFormat":1},{"version":"df1f9f8ab8d2c301a267d8c70bf64682d23020c122cfba9aa3be3293bb04500e","impliedFormat":1},{"version":"2d0ae5a8bb6397a4306c03d85e7ac436b07890d81fa5842c62e89cf0d810b121","impliedFormat":1},{"version":"32b092854679630de093aacbd7c51156edc3102b24f17fbab4552cc4fad9a877","impliedFormat":1},{"version":"064c6a3df6f5f84a5b07bdc2716beace698365006f7403cc1bcd61ea6528a0f8","impliedFormat":1},{"version":"7a524185e188d3e9116e6f961d6fc4029176c0a221e8fabeae9f04608aac89f1","impliedFormat":1},{"version":"6d32dfe3de306d93457cac9836d9a89c656a0617eb95a1079104870511b2d69b","impliedFormat":1},{"version":"718a1f87ca358fba66ddb3410716701cc81003adc441e9e40e679668b7d9df89","impliedFormat":1},{"version":"e6eba37107781fd2a62cb46786c0509c07fd7dc89cc21b1b6ca2e4740759fb51","impliedFormat":1},{"version":"3b5a12e4b65bcc0e6415c36fc4a8368a3f66dd18dc7ff0fa7e27c91a6c7ddbca","impliedFormat":1},{"version":"29e80bfceba601f27829ac9629d745149044f63b87ed891b2a9c4b35e7457e23","impliedFormat":1},{"version":"6fca4b8dd1efdb4f997bf4c57becffd45312b6f777030600a63619666a9fcf1d","impliedFormat":1},{"version":"0a88c1ecb8b7c0775e157c221585d212dee9f014e54a8378e72ede082c16a8d9","impliedFormat":1},{"version":"1db498c9973a6ffd01cd20504b36174e42991586aae0e19961322a0155c94a8e","impliedFormat":1},{"version":"5ccc6e237dfad556def12cbf9f84bc5c1e94702b4aa18dc6999972505182023e","impliedFormat":1},{"version":"8118c802f483b10debb45b5306c02667d5c65574451be70b560efac9978bb758","impliedFormat":1},{"version":"3bc39f97d28b31bb398dd27f9a2861f8d627b77a7c55b03a89549ba41f627faf","impliedFormat":1},{"version":"2b63832175fa9063307150dfbc0a2d12d13a6b16c09a0b98a0ea5def042c5cda","impliedFormat":1},{"version":"695797b3aa347f615fde45f36a2ea1d6585e300bdc638449ea22006b0b022129","impliedFormat":1},{"version":"c7ca45a0b2618fe005938aa83a760e0fd01c7a1910848e56c618198fdcc67e44","impliedFormat":1},{"version":"7cb32e72717cb00d0eeb810c758369e032b32821f717a69f18b208284c1f1a4e","impliedFormat":1},{"version":"03e1487f89a5453b307e339d841baf9aa1cdb907208daf0652ae283f4c2ef4d4","impliedFormat":1},{"version":"d856eb2a877870b84bfadfdcdca1e063320e9fbb226a3e43c488f37bbeae5b4a","impliedFormat":1},{"version":"61a555bac5913f95a70ba03c4f4b9a1a6fd848952414db0cbee789b461bad64e","impliedFormat":1},{"version":"5247db87131b6a5a35bf58c41fc28e16f6c3eca74483a3abeafa66fc582bf81d","impliedFormat":1},{"version":"7ddfd0956433fa94e61c79ba0141db44eacd047e308511b05333f74c91084d56","impliedFormat":1},{"version":"eac167cdbad8ea8143f9a5b131f9a571d4dc72bcd8e27a55078605bf3b150a88","impliedFormat":1},{"version":"6c64aed8127779052d27a86422ab87b97cb0cfa1250e7804b65d516b931e58c6","impliedFormat":1},{"version":"fc5f833dc8a68d152587d18260d5714c58388092d5e72568b188a607e43924c9","impliedFormat":1},{"version":"09cdb8388c30eb5c85aef42c36525f64b908e2ce86434c5628b2e16399d01444","impliedFormat":1},{"version":"81ef937077c0bf467ecde4a37f851e4e8fc883d4ac4c33aa33e93739909edb5a","impliedFormat":1},{"version":"d0089c1f21f2907041849cb625c097d30e9a38c2b0ba5c34e280095d0fe2a6cd","impliedFormat":1},{"version":"3860e9a6ba8dd10a422f7d40a04888eda236f62e571bac1c14102ce021e061ff","impliedFormat":1},{"version":"0d5bcca9de4cece992b2550c927ef8bcc186b5c557d1f5516a86fd7c7920a1b1","impliedFormat":1},{"version":"886d0af9e8537c6b80a02f81e49c4cea7de528ae0bdb5377f8f367d22cd86aac","impliedFormat":1},{"version":"15541a129f98c5977b53a414223ef0c8800a0f0b59a9831a385670054f05caeb","impliedFormat":1},{"version":"84b4906e3617e69f2e89eb56463030133070ee20f6bed2307eab7e1fc80e4fd5","impliedFormat":1},{"version":"04952c268ba2fec5977f78d91932fa55806d46969be7e23a06fc5843131cfd60","impliedFormat":1},{"version":"665b86c34152149f732b195251b3790c2d75b7126fe414e7d9b06590e85f7ed2","impliedFormat":1},{"version":"6f16b918051907a7b20e0e76901cdbcdca106a3534692adf024ad28256858048","impliedFormat":1},{"version":"6be3bca801a5c75eb4c0b4739be1bdd98f616de6664434a34e7cb2915174a8ef","impliedFormat":1},{"version":"0b41c5852fd91c138bc9fa6c81922bf9936fee5a8a80443ddea0747f385dd71a","impliedFormat":1},{"version":"bf6ddb8eaf63c9ad2a75f1f8c6f4ca6bed688997cdf9d095e1e1dd06daed8fc2","impliedFormat":1},{"version":"28a53113c5d2cdd26921be20c2709591c2a94b892b7685ba52d9282df74d6e3e","impliedFormat":1},{"version":"93119e8543d30477698737f87933ec5936777273db5e91076b469bf2d4fa7fcc","impliedFormat":1},{"version":"6f85da996b39f9b780d3e4c28a5f56027f0bdc4a95c7a5cabc9c97b270359bb8","impliedFormat":1},{"version":"65b719d0c65ca3e2dbcb55cd0011bf75b8eb35f9a26690a1f615daadde72c345","impliedFormat":1},{"version":"c724dffc190e0705f2d1ade7c3f060611eb3a342ab6b3766be0ce564466d6794","impliedFormat":1},{"version":"43c3c8c96662bd8cd7a985903ef5de42205bf04fea2ef6a0da6213264ba3651b","impliedFormat":1},{"version":"95146fdfa6e6b507cad8b3f64613e569ad28e8ab4eec8cc635e3b348eb18026e","impliedFormat":1},{"version":"27c1fe6fbec929ae885d8adcfc6cdb0cf34e9926ddabeeb4679c7e1840250284","impliedFormat":1},{"version":"f8d0836f149026ccc242d3b9454ca4781d379891d86d747be69ecd9cf1cd2a61","impliedFormat":1},{"version":"d918bf67eb9ed0492512103b8939667a76ed8a81c8a966669405d50d52b0e060","impliedFormat":1},{"version":"5ef0dbcf0650406475449c5f84982ee401f3ce4d1ada5259db00c918469285dd","impliedFormat":1},{"version":"84f40b3fdcdac181470bfc3abc88372e651f42a51d848d99d57de802a5fb41eb","impliedFormat":1},{"version":"dfc251f05aef5da52339653209abf2d2528648b794cfce0bb53057a3390500d6","impliedFormat":1},{"version":"8df170e5ca5e7bf1e0bd004a69d3bc734a8f211e6322ee4a954c75e3e2b1e923","impliedFormat":1},{"version":"961c3890c28004edd8aa7dff87372aeddf1da987055f45a106433871406e6ba0","impliedFormat":1},{"version":"134b5baba9e9cd3ebeed89ba77324529c2971d82da38963a118a9fb08108b653","impliedFormat":1},{"version":"75c95ece00973f1a62b02deccd1383f14e4a5331ed073e5db154cb752ce363c4","impliedFormat":1},{"version":"97e4ddd31b1bdd7975fef7ab279d31e54af46521c9fef7e4c62df7246064a320","impliedFormat":1},{"version":"5ec8b00d1d11f8257abd6e83e900d88a9e27e3651707000d78b4b156156328c5","impliedFormat":1},{"version":"f85344ec18d06d0bdc9896496732a443bed4e85612d2da8f52c6cc80ab4ddcdc","impliedFormat":1},{"version":"b1a4f40bdbd7faab72d2b68975fd65cd1d7479d3a12cd5e54c050edbeaa7bb2e","impliedFormat":1},{"version":"bdcaeb9b57cb7a0a226458daad96c322d1dfe178662ad5e11bd771ee2c5dd68f","impliedFormat":1},{"version":"7c00a265aae4dcdc077b9effbd906802b96b5226bc2a8de0bd6f40bb05a4c16e","impliedFormat":1},{"version":"aad3d08eb519d6b808831d9f717e81d8dff1bc5536d99b4a3c5473fc8b26f4d1","impliedFormat":1},{"version":"5c8c0bc6f8d0af518dc87aaaed7db876b1d18eb95b10ff3add313482587e4586","impliedFormat":1},{"version":"8c9cd152f35bc2606e611f912f44d52787078c76c9fc3c8cd6872929b0637798","impliedFormat":1},{"version":"a849f2a2a82646bd37ba9c3834e596d83c4fa668fed381dd6aaf127d60722902","impliedFormat":1},{"version":"0fe612176b473c888064f4bb64012b15d31c0c9c85c1f408fea7c4e7adbfb0de","impliedFormat":1},{"version":"094146d9ecaf99bb7fc29a3496d7c062c1475b8aeca2841d2790a80c9ceedd18","impliedFormat":1},{"version":"0fe06c0e28f105f97b56c2e733702da151c927b7ad2bc0d1ddb7dd785cf39d50","impliedFormat":1},{"version":"9e24325e5b7560a9cee65b8a7ae66437664347bed29afbc06137e0297f2a9053","impliedFormat":1},{"version":"7d5245f52669b20a801036b7af35ccd0b74824d029fbcdfb4fea4c743cfb3a08","impliedFormat":1},{"version":"83ae364c1156a128a5424a810fffd9d171ea378079005b1079f21293aaa71116","impliedFormat":1},{"version":"0b4ed95561c7fc7c5dd635e19db0db176c091e1bff4112deb91de7890354a442","impliedFormat":1},{"version":"87eb77f815b106f18f8fcef9c64e5aa8c3d19473e0ad4f60fec317cad5212a8f","impliedFormat":1},{"version":"cf2fce2fdbd89ce14209d697442d8b93bc07dbaa6f8d9c7128abf25f7b078f5d","impliedFormat":1},{"version":"b1f9dfc56c5666891ab36f780d7a356b436caa5e6e9e13a57bcd1582451b0d1c","impliedFormat":1},{"version":"8c3bcc591bfa51b0bede2acc39a100d73793c1dcd1c3de73cb558c7ff8fd4e2d","impliedFormat":1},{"version":"7da78cd965ca1ec3d7ce35ddb80ac3aa449aa8083379ba949a3954e1b75f275f","impliedFormat":1},{"version":"037efd9859bd99adfc052cdcf7fa2e0735b1e467f408d675b57eff978308b754","impliedFormat":1},{"version":"d08d3836dc621640fe49a7e9080dee0d9b97f6ed3bbe7f88eb2a5470ac76d5a2","impliedFormat":1},{"version":"db9b5b1fb5b6262ac098241f3c95ecd14162b1ea7d8133e88193b9902c90a979","impliedFormat":1},{"version":"0f2938aac77bad209857658943bb6466a78975a9933723d44e01e9af7d361115","impliedFormat":1},{"version":"90320bd2323f5eee550a489d6b28080fdea25824bef6051b4fbd41f6c79985ad","impliedFormat":1},{"version":"87f702cb937d327eca520a532d4d4a9479727984bbe3816e9696c959b85bb45d","impliedFormat":1},{"version":"21599e66c92c95c9477b6615d9d6299f86efba2d4370e8b9fc1bc720f19f8e68","impliedFormat":1},{"version":"138136faa1d2a757ca9daac4ba28ea1ccf78997fb88b9d9812a9973a2da5edfd","impliedFormat":1},{"version":"aa80a5573920e685f6596cadb9599a9a95bf9fd66f6b42099814050d7b6573eb","impliedFormat":1},{"version":"4c863f17a9b79c05a2bc31f7298b57632caa221aac7b1d9a7bf32bf1bde40c88","impliedFormat":1},{"version":"a49fe8107cabe8162b9e6afd49faef6ea356eb0d601b3fd1cdb7d7dbb4225c02","impliedFormat":1},{"version":"5570d06cac2d2f5ace1688aabafbd8a9b055da4fb1f9b2e8d7e99c88606a6a85","impliedFormat":1},{"version":"8f5014da164cec4f1e3ea3b9c99191096848d8022ec2823198a1855188ce769d","impliedFormat":1},{"version":"bc15829f674f5b2d9b80dd1f70c42c51f2639f6e791d4c1c4b68a0d3fe3b1624","impliedFormat":1},{"version":"f6b14d235ef38813e577b9e9d71aceb78df8eb318da30f7d3063ef04c2abed10","impliedFormat":1},{"version":"3a318dc56e4d6ce19906e30257a221502dee9e93098c4fb46beccbbc1877dcc4","impliedFormat":1},{"version":"9978a63eac52515366816a16b410d71f90a4e8900162acb4ca9215b76f2fa422","impliedFormat":1},{"version":"30033a24ae44146b647e8aea2c84d51856dcde62870add5df230a27d796ab3ee","impliedFormat":1},{"version":"33d05825e45719f49376995d1819866dd0f9d862f7c3219dd429cd1488efcde2","impliedFormat":1},{"version":"4b859a4d3e2185e22ab2d2ed52c0177939a67b7d4b90210edc13875a8438e2fd","impliedFormat":1},{"version":"04317c46d01f39649647b24a30f74f3ca3a84df6539a9ba3f44b378359328b49","impliedFormat":1},{"version":"0f4b6e6ad4bdc91d3f1d51ff724bcb8f6d70ad7be8a47877b374435162ac50e7","impliedFormat":1},{"version":"e7999757805ca7730c8796eabce3693db1b7195f2cfc9d891a5a22bf9222a02c","impliedFormat":1},{"version":"425db27d592f27e5cd6ebde7449f6524084abd27f1708c386858ac1bf97d1811","impliedFormat":1},{"version":"49ce5bb440fd2121b63e8b439bca3f938016be36f75663768fb6767a705d8762","impliedFormat":1},{"version":"728476e63bcda1ff1a6ae45454f89d0e343dce10e02f687b272f4269c9c103ec","impliedFormat":1},{"version":"ec1cd98780871a6918394f5d1a65890444fa9d2aee8422c54311143c9fcda52b","impliedFormat":1},{"version":"36d51eb7f0dd075e2edc79f120ff6e8d5eda25dfb86bb5886b3036b87ef3f24d","impliedFormat":1},{"version":"f588b174666a77d3f871fb2cea30316f7cdcd59ca9148c721e24315f9d625fd7","impliedFormat":1},{"version":"86bc9ab3bcb4fc16c2df22866b0a0f64bde339b382d527526ebe6cb92b6aa0f3","impliedFormat":1},{"version":"eb03810a18568809259901e2737728372f999e330880bfe7052b80d13615676b","impliedFormat":1},{"version":"19dee02a574e1ead3ad9f7c8321b720d9c727887fd63dbc9b0b91f01386b0f4c","impliedFormat":1},{"version":"090ebdf72416c86118c0733412462c567398da93f517d3cfd97cd919e2264e42","impliedFormat":1},{"version":"ebf2b142ba0777cbeab6e8c2f056abcc2662bca4c5064b9b1b1bd03a992f46f9","impliedFormat":1},{"version":"72ab518e157804db34f49939b3635c6cdb585739d26ca64ba98d7f3e0fc1c2ef","impliedFormat":1},{"version":"0582b30435ff9e8b3ba440a0965a288da33f78783a8f454658d532720d93c7b0","impliedFormat":1},{"version":"dda0f983a92c574b5d20cf5a67b9b23df68ae24dd0836aa97f2631d03ccb97e5","impliedFormat":1},{"version":"c3a01082b6053df1422e2028260f4093005049e397464ed23bc39466feecafd4","impliedFormat":1},{"version":"749944f8007bd777eb35e3f9c087c0cd828cff493ea2714f9541cc72574ab0f3","impliedFormat":1},{"version":"699bab4ea75eb4b52152faa4edc3f456c01a06082fc4f265bbb9c6a52e5f958b","impliedFormat":1},{"version":"32c09e1ecfcdb9337bf2e04448d52429b7154689058f366fc6261a2b4f2aad3b","impliedFormat":1},{"version":"8c514d50eea9e613dc787aa529e1ce54874996c2157b92aed232598f2c50b3c0","impliedFormat":1},{"version":"94e742180c5e32c6e066ab74ba134ce0bb34f4367a9b37ed64320e87387a4034","impliedFormat":1},{"version":"63127c044e6dcb388e50ae9ba7febee7d5960af37220392fc551bc8b301f0ecc","impliedFormat":1},{"version":"1729eb2fcd3bd12fe08cf72266fd7f88698d75af4c9c237235ae1a385645f563","impliedFormat":1},{"version":"3736cbfae05a123623354d1ed19faecace899c362db8ab22059cbfbc556f27c2","impliedFormat":1},{"version":"2705c60e43ccb13b1d1952d807fa6574747b34356ff145b6ce6b425df416918b","impliedFormat":1},{"version":"bea4b2fe46628439fe70cf8884ae15386f9a070f5c36c18c33405f94802c97b2","impliedFormat":1},{"version":"d6b9d3709bca425ceda2fdcdd91b1dfe823ef3a92ee01b029a09bd2b585efb95","impliedFormat":1},{"version":"1e02c721f18ee42e234d2744ee08b5b69ad206c4fcdb97b31eca55cc880de378","impliedFormat":1},{"version":"f359648a230e3b09eeebd086a9045f4bcde21413492f4bc6f0f0fa71daabe846","impliedFormat":1},{"version":"abf49444d7806281cc8fd2e207ba2f907648c713fe9492eeb6c99d2de6cd72d4","impliedFormat":1},{"version":"1179a845e016cdeae7058a3c3cd44257d56740ebd19ccfa7aaf65c9cf3a9a7d6","impliedFormat":1},{"version":"611c98ea642429f3954449db38a966d9d28fc4df64f9639ffdcbb9aa36e9a12a","impliedFormat":1},{"version":"6c3f6300cf66ed5ef36c58134e969616246c987fb05623f8d6c83f7e230da91f","impliedFormat":1},{"version":"0140c8335ba27a27f264138c29992982ea18fe2203c4700729739324d2deb7c6","impliedFormat":1},{"version":"74eeeaac8a1ad64033c0bda3cc1235ef9cd5a28d01b272778d777eb7beeca1cd","impliedFormat":1},{"version":"b2562a59a59a2717021ae25138f3fab6b7d2e235e53df29180fda7910b5c2096","impliedFormat":1},{"version":"5518d8c2dcbdc43c9c20eee3373e1180549e4df4767a8a3b4b70d55dfec63d6c","impliedFormat":1},{"version":"a0f8f6e52af01be903c99f8329d39d248bd5edc504f7ec862a548d6709de50da","impliedFormat":1},{"version":"4f95388cc4b8be42d2b39cb5c6c2a59bc7a5d5667248ddec118af922147c0ccb","impliedFormat":1},{"version":"fb34f3d282c923febd21cf770d7843f8551ca4b34a1d725ff7d680620712bc7c","impliedFormat":1},{"version":"9e8466532555167a58f9831d92ff5bdee391384056ba6561aa469a9d520b5a80","impliedFormat":1},{"version":"2f73554f8f6e14173d1ca37173c589d762b5c0a0e25555845df99e57b5503426","impliedFormat":1},{"version":"a09e34b42390e1a0344eb4e30fb27a88c9bfb54566185d3b35682748ab3abddf","impliedFormat":1},{"version":"a4ab2460fa4a9ce2a35757fd11380f358629763189d8d92cd3357f94d5bd04f2","impliedFormat":1},{"version":"dd353f0d5802b7e2e07be9efd3f913e36ddde9ddc58235f06584e566246537dc","impliedFormat":1},{"version":"6a6a951c0ba0f2b35176a19a8996a1166f925e574e209eecf89798c41de956b2","impliedFormat":1},{"version":"38465754297b45b53bbe3e654ab9ec0765c2b67d7da1159b21d2be9d3bc043ea","impliedFormat":1},{"version":"4115f37f1436b240288156ff5abb4bde910483e32282f525872c72e788310794","impliedFormat":1},{"version":"f6cf6de46ca7f334ba1818ba90c63dc508bb3fddbe0ebecbc5c78e677d4995da","impliedFormat":1},{"version":"b6bb54aeb3dcd320e640a84ef042c730dec827a1862df9fbb783736055e9f80b","impliedFormat":1},{"version":"e60dcb3a5d56b68cccf0d6bb98c60aa697ea6f9adbeb005867a6e3ad1e32faf9","impliedFormat":1},{"version":"00ce17123f6690981ba3a278f44b7814a9cc7d42aeb3f60c971ae6a51a37c5c0","impliedFormat":1},{"version":"f5703ab74bf1cea4dac2f81a7afdd774505827521d7ed94a76c77c89cf0ac281","impliedFormat":1},{"version":"d3c3d571b3f91c6e544ecafe0965a8d77a1fd06dcdd5ee0ee6c6b24b4eb3fda9","impliedFormat":1},{"version":"22375d31eb387aa3b67c8ca275879082ae08de75c467d9b736393f5553452864","impliedFormat":1},{"version":"e83100a75dfb09a0e6b73ea26587deac836ab698689c59a39e9f91675d45d23f","impliedFormat":1},{"version":"f4a526b8949637fd747544c723cffabe6f72007ce530c6d7496b1fe8afd70729","impliedFormat":1},{"version":"17586879ccf720491e967cd56fb085eb10e7c09ff54e37bdbabcf2d821448e75","impliedFormat":1},{"version":"0211c737ac63dbd9720da2a20e8824b781bc4e79ab384cd305e940c10b832125","impliedFormat":1},{"version":"ca1eecf52a09dade7fff2997b736ebb23ff317f731a13dd5d351f2dd320c2dd9","impliedFormat":1},{"version":"e6617c14cdfc166477e31d3ccde0e034d59f3fd7059ee62f4f05f8972a77c562","impliedFormat":1},{"version":"f99d4d104a08536e230de3c8bd41e84e05b543150379922b6c1ad27fb83357d1","impliedFormat":1},{"version":"caed030b8c04a9bbbcbafba4d80d66e2a6e2da71988b4a89517f0392d7c2a75e","impliedFormat":1},{"version":"037644e9dbdd94a0abcf27ea876c21bffb59aaf7c6cda1ed28e5acd15cdd61c3","impliedFormat":1},{"version":"c6d53e72e57283a476ddd7438c46c3e85fa94c6c138f77d938ae4e3be73e6f84","impliedFormat":1},{"version":"fd319f15cfbc8c5769c3e348bee974e57251930a3cedcafaad3da9720e567195","impliedFormat":1},{"version":"9a7a92e25463ca26e227d84b29894fb279f0bff3a9f5aa579f2088da886e5162","impliedFormat":1},{"version":"c42a17777a2dcdea9cadf5646a69be53f1720e88e9d5b8a8bb245dc3c3c12ef1","impliedFormat":1},{"version":"bc12f6ed06b3553cc1710713c99028a7f6ce3559d034c28c94dafbe697008616","impliedFormat":1},{"version":"744ee65e33f2adef0b16ca18f5f8054564e20aad240939013f6a77ef36aee96d","impliedFormat":1},{"version":"711af00b68464254936dfc9f6b1e5ed5a543540fa63d1b2c89caecab8cb72dcf","impliedFormat":1},{"version":"40ffac08a30015d181f9fd1860ddfd0d7a62dff63ded3498824e246144a4a758","impliedFormat":1},{"version":"3a3e09ec678551c7a8c806ad9aa89220fa7a00073e5e01ff99878c145d69fc0c","impliedFormat":1},{"version":"836486568e39d661299a712efa51fde68f40decd67d2d543194780d8f7d75c4b","impliedFormat":1},{"version":"043cb83903bd760b175bf5c389f2b75cd1d277b500d44f7e274cf805ad56ba2e","impliedFormat":1},{"version":"f3db28774395eb5f37a0783a1a2725a95d96165ddf8b2aab8e01a9876262e6a2","impliedFormat":1},{"version":"586656d22cb347eff71a375cd3c0c7deb56690e1d97c688c1c6293bd427d2d9f","impliedFormat":1},{"version":"11bbb15d2f0469812ea87c2f386b89f42277581335d6fe4938e4ad05970844b0","impliedFormat":1},{"version":"f906b794549aff5237189181f9129f69cb32f2a2a596db4a6adcbd6348a03524","impliedFormat":1},{"version":"41f2186aa5576a7b91b9e50d29846f000ceec938e88c3f6de701a8c80884a27d","impliedFormat":1},{"version":"a86e9fc8769e0991485ef4cac75c1f7d95de3a573b4c26bf726f76bb54189282","impliedFormat":1},{"version":"671b7c1e832cd23f099a410795dcaa1b0f6d7918b3e5ad4288fe5f2ca70363ea","impliedFormat":1},{"version":"c37aeeb018203098e573136bd33533aa598827a1ff954d012b1ea5e2779ed4b1","impliedFormat":1},{"version":"5421f3d14a6cc34ad1310891bbcd0334c8f7e6046d9b1ae6a44138100991d29e","impliedFormat":1},{"version":"90216ef6bdb17cf6660c02891b23d8920a3110e34eeab9dfb3af6bc870b54882","impliedFormat":1},{"version":"3da544e2e868ffc280a412f70e3166feb3e532aaeed49bc089e9236eabd1fdff","impliedFormat":1},{"version":"3b6a704d2be44715023552846bff366205322ab5cb41311e81681abb32bd7771","impliedFormat":1},{"version":"c9037a5244dd45009826976e80ca7900bb6d3b737fd00c3048f2851236407daf","impliedFormat":1},{"version":"a8d1a808ef94f4cac920914c98071ca152a832eddb863927c1a8c93c2039b950","impliedFormat":1},{"version":"f168b572534469204094d5d6090f3f4dea231f00cdf0233a17a3287d51336cf9","impliedFormat":1},{"version":"5987bc90cedf31491f60c7c04663ac6dd4056f13f6aad398a0ac4c3e343aa351","impliedFormat":1},{"version":"a257e6a76f44f0a4e93ca3c87f9ed9228bf3a914c268dfd576ac4f846ebc4cc6","impliedFormat":1},{"version":"5f1cf73871b9e11522c6f9430799a05cfe4b6c91770c1b79797d8e1b6b921903","impliedFormat":1},{"version":"3178e24a2bdce6cb5d460618f80006ccaef659c80a76f3091c6f5ea816bb1671","impliedFormat":1},{"version":"871feb6824179e83a9a6be65addedfff1d4852eb3f81a7e77d2befb4c3855da0","impliedFormat":1},{"version":"0814033fb2d08eb0a0323ddfd8ce4cc81cd0fb6f9f21c7f90e9e8fe142345572","impliedFormat":1},{"version":"6b762d13f3e3485b4c998facedd164d34af99130281686e94f47ed8ed1a51604","impliedFormat":1},{"version":"7a084721a0e26fb741b5b383a6f0b8c5e35192bea79312f1e70c07fd4178e654","impliedFormat":1},{"version":"787400c5ff8459a67cdffdd3155170d2df51915291fcb04f8013223bf2b86df1","impliedFormat":1},{"version":"9a74b5844ed0feaca598f1ae3fe35f1b744e7da1fdb38c2c6806d9214be30ecc","impliedFormat":1},{"version":"be6dc42511f3688c9ea8128cf5ff6d837dbd16be9a26ac00494fba083f37be16","impliedFormat":1},{"version":"95cc53af11026e524c5cfda7357ca62d3adcd31e331a1a525706670a1bdd6ce7","impliedFormat":1},{"version":"880c399c8c1d92f38c8deec3843fae22657e4cbdf327a7f1fd25e3cd412a4497","impliedFormat":1},{"version":"2583fae98ef1e5916588f5017d247127c42c81654c0e2c3e7da9e4d510a7c531","impliedFormat":1},{"version":"4d76a55d828081394b7c38d66c2e1af869126b31fbd7b3d9f10a6f514e922bbb","impliedFormat":1},{"version":"65577022fe6b991eae9f7b468b2afdb760a6c6b02330e9b044ea322402c3e374","impliedFormat":1},{"version":"0838212ead569085b5922726e4313e82fb0269ddb6af52eeb751b7ea44a8e427","impliedFormat":1},{"version":"f758d8c5d966ee28c3716e4da245c3b536584f74361c22e9e681bc59f7f8a451","impliedFormat":1},{"version":"bb6f706e06a8d2d3ff0e7f7731aaab4d6b09dd0ea2d192f396bd5473464a66ab","impliedFormat":1},{"version":"fc129b75a043e2ac178293d1580d213d425ab4f73b5f18291daebd40948fad42","impliedFormat":1},{"version":"3cdc38249208e220a83bc40705da8911059365572321d0449312eecd62faaa13","impliedFormat":1},{"version":"1b33a30638c4e1c8fbadb75f1d879b228634be6a12422941b578bc71ba10907d","impliedFormat":1},{"version":"5ef6d0db24eae5f680c47604958fd5797ee0668fbf82edddfe006d8ae75e3ac1","impliedFormat":1},{"version":"c0600f7108e1f3dc58a42595b9bf37837c67d71ca279a55c451f9315ac157f98","impliedFormat":1},{"version":"accdba9e04c62fdd890644ad633eda9d8c31adaad615851e8499ae62432657da","impliedFormat":1},{"version":"9bd7841c330a9c1972f36b3567fcee4254b4ee0bddf67f04a787afe716bf4f3e","impliedFormat":1},{"version":"81e1c99558202a9bd2092115663f87ee834dcd41b500f33481556d2e5088c680","impliedFormat":1},{"version":"01e4586bc6b819a612e4f81b5f3ed5c82387fdddab9d6689b3ba8fcf0fbb5100","impliedFormat":1},{"version":"8b833046a611be53bf060136de476623b6d67f27afc44d667f17a152ec290e2d","impliedFormat":1},{"version":"da8c88b7860ca2c202f9f7eb015ef0f9ca3a02868f73971046a413ae872d4ae5","impliedFormat":1},{"version":"9b8d0d464ac8e9c882f1cef50424b9be7b942c94fe6a8e45431cd794aa76f4c8","impliedFormat":1},{"version":"62a16e3acf8b789e9ed8873d067af558053a231c80920fbef508fbb18c48c3f9","impliedFormat":1},{"version":"5c5cd3d5dc2837d28a64235051b2ed820d069324a83a0fdabf886daefb476347","impliedFormat":1},{"version":"4233b38ff908d3650aa7f558a396a658c389709fb71ea13d7ca1ef733fee0746","impliedFormat":1},{"version":"4626b85c40a665e576632324424a7021b04f28affb4e6a8c536049d6054468d9","impliedFormat":1},{"version":"07849aa54c0d64e27d639283dc5bad6e0470a835cc0deee0053f647984eda66e","impliedFormat":1},{"version":"15fcb6019af09d7db5e897b4ce6719a6676802c408e00fa4d59f74cfe4aba827","impliedFormat":1},{"version":"dfc9c798f90a9e474787e899cff613d659e9c02a9e5956e3595fd06f6118cf77","impliedFormat":1},{"version":"e46c735e3943f3f6756c910ac3d4ff17c4c723c3c106f2d3bc501996433d8757","impliedFormat":1},{"version":"a15c0ffea8fc0bcab41f93ef19517787d88b8451b54b1a628babe80c999fde2a","impliedFormat":1},{"version":"0222e7fbfd57abaf92e64fc15893973f689899d0e18c745ba8dfbe138cec0ad4","impliedFormat":1},{"version":"39997a9c2d25d33c07cb17f5735c362e8d6ecbb2042d5edc58563a6ef7d2d80f","impliedFormat":1},{"version":"b0b093b7609f06929af7fe8dff9d4fc609f01ca94aeae5d2e70632d7dde6132d","impliedFormat":1},{"version":"f44d9171a0c7b3a6d2144d91feb4d52de8b0ac1769c8c166fab438465725b400","impliedFormat":1},{"version":"ee9c754834c432b19721a0e960ce9c528ba5842bd1b6f4ff010763b0c8c034af","impliedFormat":1},{"version":"9b4fc8ef6e05241acd037f64f3257c38e981963ba070303f14bfcd7bfd94af5f","impliedFormat":1},{"version":"ba66efe3500db15451979bcf522846b27b6919a836f4cb54aeff00dbf53eec24","impliedFormat":1},{"version":"684ba911ddaa2d6e8303e70e11edb689ea1d746b9c0892f137b85d67a2d9da7c","impliedFormat":1},{"version":"8c18fa97c238733aaf36ee179461e9698456023c79e546a1366b1b362b82b25b","impliedFormat":1},{"version":"09767f6c3c0e60da6da44e1016d73bb7c265af42960e949cd02d41b62772136d","impliedFormat":1},{"version":"0fd182b4143c5577c227a465a7459fa5c4eb69905b58d1c47d97d7fc74ec2118","impliedFormat":1},{"version":"e7865c880892031c2910fd18b45154019407eff3927ad223cd733f3039329e39","impliedFormat":1},{"version":"f8e9db071525f68d5756dbfe23045a77e0fb3934cbeda7352d7e49608bcfe3f7","impliedFormat":1},{"version":"47328350737e2e452cb49c1c90fd9fc02e8a0b044d4c87c384fc5d9f6b7b54bf","impliedFormat":1},{"version":"e48e3afa7e59a50dc3be76cdc301c63d20eaa2c068d43309642cd3c6390bbd09","impliedFormat":1},{"version":"9d9baebd32e09604b81facf900ad69592adcf17c9b0f170ecfc1690844148e4e","impliedFormat":1},{"version":"d325f9b167ab12e1628e2bfb771a6b009e0fff4853d5645a6b59776a0215c8d4","impliedFormat":1},{"version":"f442b4d08fc5d83a1331806336aacd2ff64273f9e6bc5f0eee71a0c2e1d45e8e","impliedFormat":1},{"version":"5bb41f37ca3585a63795c9ac246058b3bd33a2323debca8cd7cd46e8ffe5c920","impliedFormat":1},{"version":"f61310a2c40cc3929b78b126e2ae1350b83b59cceac0ef1d8ea3a66c88f9dc9f","impliedFormat":1},{"version":"6ca8fc56eb6806632f89c2fff494df6de9e6d23b67722a86f71cc096957aa4f8","impliedFormat":1},{"version":"176b99ef80eae6c251a60f16fa3f5a90533ae08de0e8e742d07bc378565397e3","impliedFormat":1},{"version":"ab485b9d1fd0bec36a8ce894ae9b3f60e0fe01e2173787bafbd8e2ab38cb20bf","impliedFormat":1},{"version":"f44536a3f0fa53d0e2deb440a4922a6c5044ce7af2b63de51a19583235f505f0","impliedFormat":1},{"version":"9e8b92d6b441f9841801029ac2232ff3ea22c9e6c5f6c5c763c6538845410455","impliedFormat":1},{"version":"f3f0b30f04975375e8ebb900d21d59e27d169830f8a2ea7acfc8b56e9eb76d46","impliedFormat":1},{"version":"053badc6c363257712cc1eecdd8bfa96e662a46402a46d945672849e1703f73e","impliedFormat":1},{"version":"19403809b68311eaec2273ae203c56c5e6d752d3ee613b7838afe74639688d49","impliedFormat":1},{"version":"c1ea9a03a44568ece3a09b369a8ff11834d56608b471021d4c1dcee8105c1857","impliedFormat":1},{"version":"9b200fb6dd92b39c50dbef32b5990bb8766744191a39f6a9fe538a4d7722907b","impliedFormat":1},{"version":"e7793cba27829d41c6a1018ebbb122a440af69cef66ae5c000fdfac355e86500","impliedFormat":1},{"version":"6955b6f14e9857dd08fe56fa0dad1f26a09fd190bd94f898c07451f320babcc9","impliedFormat":1},{"version":"3ded839b327e0c7fc8d959189380648a83366cf92253c69f7a5ea51fd04aef9c","impliedFormat":1},{"version":"c2361eddc491d4202d81ce4de6e5ea4562f9ce5976181e31d95ba5054ee442aa","impliedFormat":1},{"version":"f22b2decc38ed2a4bc1e65d218fa71edc2b6f133d33c2b4f6ecbfe7083ec1eca","impliedFormat":1},{"version":"96b512768194f0a4ce3a3cacaeb4f583692a24a8e3003b13d9281819ce967416","impliedFormat":1},{"version":"e9c5103bc110d1ba6676695939971ec5f6fd4b117ad5cefafc7af0f889189fda","impliedFormat":1},{"version":"58bb8584ef98c5eab05cae3be7ce0fa6cc9d70b0507849f881d32b95fff341ee","impliedFormat":1},{"version":"776617d216d5f1404efde32cb5a458a8378c1540e3d22fa972daed4f1a39fd27","impliedFormat":1},{"version":"ccf4a37e89a4e45f1a07f978e9c5bdbdaa9bbe62a489b78203af8a1046a4e0e0","impliedFormat":1},{"version":"bf33feac62dba27ac615089d07fa3cb7d8963e5569f59cd109aac7b68b710dbf","impliedFormat":1},{"version":"ffc4ec6317c5ed7ebe18fc516f35ad6b4b7bce532b8caf4e5c4c3e1fd3deb940","impliedFormat":1},{"version":"9eb31bda544214dc696a6cdd01d54e1fceceab6f3f79239132445dfb689a33ce","impliedFormat":1},{"version":"f6558dde981c70ccce263785d245be1729ca7e268487da354ae5961874565788","impliedFormat":1},{"version":"998d115540014fab3581b4e3cb2821a25a8b421051f40ab334f00d31c30809bf","impliedFormat":1},{"version":"96f228be050d866c47239798c1929ec240067485fe0458b578c468aab1c86a7e","impliedFormat":1},{"version":"de1cd59fc33b9cb93d0eedc3f0172d5f1224a9820028e625fba48520e3e26a99","impliedFormat":1},{"version":"e7fcaa00b42304cbd07cf238a44110cce83f0122305c354a6108834ec58f9336","impliedFormat":1},{"version":"6e3521f6d6fb05ced11f795ab36851bf7255aff25e6e8ab9734b5762d2fe354f","impliedFormat":1},{"version":"7a5e3dd8b47efa6b169f3ab590d35feae7cc3b7736354f293a3db270bce157ea","impliedFormat":1},{"version":"7d09ddf0a790bf9e5bee0a1d60b9a6a6b182cadd9d641b57a1c66b33a7cca0db","impliedFormat":1},{"version":"e661056dbddc29170f23873bf7501f894a36d27fd05bbdaa87dad5d3eca3b89f","impliedFormat":1},{"version":"5181637779b51588afa3503dc8c9c7ebd8ff2935ca47db5f16f058cccfb50e10","impliedFormat":1},{"version":"f24d0147b9727db751661a6a68e64bdcbaf6a83dc327edcf9f50c6fbe4dc9ea5","impliedFormat":1},{"version":"bd734a28e08dd842d9c17ae9fa05a304737498873ca58883eb815dba162766c4","impliedFormat":1},{"version":"f800aa633781abd71dc7012885ed75b7cbb5fc840cd3b81c86eabe2a352b166b","impliedFormat":1},{"version":"c295139d69307216461e137b77a57edc4b4d937dd7923b4f00f6af09cf853def","impliedFormat":1},{"version":"75f0a687671ea05684097af85a7361fa20834a0d1d0e718454ee5fca61696b73","impliedFormat":1},{"version":"887c56417f3713d48dae84e1a5c661f0d3a8c7dd9291b2a6742e7169c9b92ec3","impliedFormat":1},{"version":"73f6bd6d88383ed8597bb606a39965fba4a2069e84096ea4a51ee68f9746eb19","impliedFormat":1},{"version":"1b4f8b1186080ecea68f0b9b2a97a7fc019952a4111dd4cfb25910a5e4a0e284","impliedFormat":1},{"version":"bdcdfbdded3940ca7d79dc112e834c4cf78ca18c5a7c6530f58d0bd1fa4156d7","impliedFormat":1},{"version":"da7f531ecba0c3df4d93fbb8168559add0b2a5dee12a6a934ad52472e0f5880a","impliedFormat":1},{"version":"5162f6a406eefd805d4fc0e9f66dfb717cc29c04bfabb6eaee324d10510806cc","impliedFormat":1},{"version":"75945afc83947f9adb1fc5f0035c14818bae1aedd0f2e8ac8528fd73070d6258","impliedFormat":1},{"version":"bf427212e92b227fadf80c4bef4de91c38653492c0778ce103afc8010c77ea7f","impliedFormat":1},{"version":"d4a0fcd0048b161cea04a170b27ce1b9a82fb098de82693cdf434f792e45fdf4","impliedFormat":1},{"version":"6c103d333c86871bee90cf1343f2011fd28c4d6ab93b1967c62daa6c227e1988","impliedFormat":1},{"version":"e591afd10115ffbdf6acd2ca3c1438088a18e3e470f5bc0f761f9973490ae03d","impliedFormat":1},{"version":"7af440443e86ff0cadafe671608aafa2cddab2b2c2832c233c2814bef711af7a","impliedFormat":1},{"version":"4fc58c40c4f4ace53bdf71ad1589f77b34340078fa112ac9e0a3110afe17e38b","impliedFormat":1},{"version":"07f933da44e08208560b7748f391573171527c2f2fc677b115095c603f3c3e25","impliedFormat":1},{"version":"f60e8e154ee63b304ef0e657ed2a075bd76f7fb7045335609072a2c84cef886a","impliedFormat":1},{"version":"019bd8300e43034142742595f8daa0b585ae598e61154b273ef5869494c17640","impliedFormat":99},"f882ffd7b7f3414aa7bf5f3d0457148659fe361957c9b3b611b43d8553bd1ba3","e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","0b08a44d0e298a5d16ea2e03856617697fadb465a419ffeb3a6ea9ca76c69f34","d4750197b970cc2e2be6c137c0713b6a2eb808e1a60c845ab724d3fdd67210a7","90a690c01477ce9a10b2bc577eb8a74b7fdf6c13390118c06363850e77927d73","52c5cced6e8e40fe5faa9e7f705c24fff49425a51434f1fd163cc0b81bc746c0","0bb55beed444a6f49611955a8e5b246ea769ecaeb550851f65e7e699a6173aa7","c2941df031b6c21aee22f8998241f103438c717394961928ceb0b5f5d44e5b01","a4d07be13390132338170246084a6966072e9ad2337b808d3557f78e17edf31c","bccb3fb912c2b0464f825f43dbf4455bf3c8ea28612620c821d6a9e3f6e6cbe1","aa9804a25f3ec296bf07a08399d37b4203ff1e4c4e3708492e215d3473c49146","3d41947d9ebb0db3299c93fc8f3812d6ec9b0c9cff3a3aa2b8c68ad0ba416be4",{"version":"bb9a61f67ee332384e93d240852e1b17ca991b066201c4a8062780b067d52004","impliedFormat":1},"397b09575de7186ab0bfba944a13a1e3d43dabc8ed4dbd0d7f91ca712d5d6fb8","494ec431b78aa91250acd73a80c33438be621c9023e7a7f58f68b1f98f086ba3","00bcf2639d5e1cdab93688df73d819d751bea652b5a69f1b9adf7103939dfa9d","f20a533d95870f9fcf7f16f37cfcb234637fa995b5a36fce8a0c4316adb4c65f","3aa03df8c1955e3fe91802720a86efd456e15b49350862761a2171fb1b90fedd","d37ba9b87e3a99828ac38da8733d01e9410f05e10222702abb1042d054a2e03d",{"version":"15fe687c59d62741b4494d5e623d497d55eb38966ecf5bea7f36e48fc3fbe15e","impliedFormat":1},{"version":"2c3b8be03577c98530ef9cb1a76e2c812636a871f367e9edf4c5f3ce702b77f8","affectsGlobalScope":true,"impliedFormat":1},{"version":"5221b4739633a57c4251be880c0626c78391fe3ebf568f2f6ff5e4df60e71bb7","impliedFormat":99},{"version":"26d51d186bf97cd7a0aa6ad19e87195fd08ed72bb8df46e07cc2257b4d338eb5","impliedFormat":1},{"version":"9d1732db174695fbbafd487c171b2f5784d9ac559a59f42e211d2f38b6304d7b","signature":"1116ca189b0cab678c2fc15899ef43ed112c5a2ccc110e030a11040c9fb0a6cb"},{"version":"6c61c3582ddd0de2ee49cd6252f7d0def3e20c79284ad87aceac2374532ecd36","signature":"277973d922d3f7fa17c1957008a14ba2a23d0037601b702320e943c560d9f198"},"7b7fa796ed7860519674ff68aac2c64e9be6d9de150ef403f742825045fa3902",{"version":"a40bf48a4399798cdc52e9ecb3b739a753c6dd94f48a0390f28004a4154bee4d","signature":"1873e4a592565b0bf0c4705a62b467ae9ede7a2a349ff1a3ac8fbe87b2c29c71"},{"version":"785b9d575b49124ce01b46f5b9402157c7611e6532effa562ac6aebec0074dfc","impliedFormat":1},{"version":"f3d8c757e148ad968f0d98697987db363070abada5f503da3c06aefd9d4248c1","impliedFormat":1},{"version":"96d14f21b7652903852eef49379d04dbda28c16ed36468f8c9fa08f7c14c9538","impliedFormat":1}],"root":[461,462,[487,494],496,497,[1226,1237],[1239,1244],[1249,1252]],"options":{"allowJs":true,"esModuleInterop":true,"jsx":1,"module":99,"skipLibCheck":true,"strict":true,"target":4},"referencedMap":[[461,1],[462,2],[885,3],[887,4],[888,5],[889,6],[884,7],[886,7],[938,8],[933,7],[934,9],[937,10],[935,10],[936,10],[939,11],[900,12],[898,10],[899,13],[901,14],[940,15],[941,16],[942,10],[943,17],[946,18],[947,19],[948,10],[949,20],[957,21],[950,10],[951,10],[952,10],[953,10],[954,10],[955,10],[956,22],[958,23],[959,10],[960,24],[986,25],[987,26],[989,27],[988,10],[990,28],[991,22],[992,29],[993,22],[994,30],[995,10],[996,31],[997,10],[998,32],[999,10],[1000,33],[1003,34],[1001,10],[1002,35],[1004,36],[1006,37],[1005,22],[1007,38],[1008,22],[1009,39],[1015,40],[1017,9],[1012,10],[1018,41],[1013,42],[1014,10],[1016,9],[1019,43],[1021,44],[1020,9],[1022,45],[903,22],[902,46],[904,47],[1023,10],[1024,48],[859,10],[860,49],[1034,50],[1035,51],[1028,52],[1026,53],[1025,7],[1027,10],[1030,54],[1032,55],[1031,54],[1029,52],[1033,56],[1036,22],[1037,57],[976,58],[979,59],[961,10],[962,60],[963,61],[964,10],[965,10],[966,10],[967,10],[968,10],[969,10],[970,9],[971,10],[972,10],[973,62],[974,10],[981,63],[980,63],[985,64],[977,63],[984,63],[978,65],[983,7],[975,7],[982,66],[1038,10],[1039,67],[1040,9],[1041,68],[1042,69],[1043,70],[1044,10],[1045,71],[1051,72],[1055,73],[1046,74],[1047,74],[1048,74],[1049,74],[1050,74],[1052,75],[1053,9],[1054,74],[1056,76],[1057,10],[1058,77],[1059,7],[1060,78],[1061,42],[1062,79],[928,10],[929,22],[930,80],[873,81],[872,82],[874,83],[870,7],[869,7],[871,82],[931,10],[932,84],[1063,9],[1064,85],[1065,86],[1067,87],[1066,10],[1068,88],[905,10],[906,89],[1069,18],[1070,90],[1073,91],[1071,92],[1072,93],[1074,94],[1075,22],[1076,95],[1224,96],[1079,97],[1078,98],[1077,7],[1011,99],[1010,41],[925,100],[922,101],[916,102],[917,10],[918,10],[919,10],[920,10],[924,103],[921,104],[923,105],[927,106],[926,107],[1083,108],[1082,109],[1085,110],[1084,10],[1088,111],[1087,112],[1086,10],[897,113],[896,114],[895,7],[1090,115],[1089,116],[1092,117],[1091,10],[1099,118],[1098,119],[1097,10],[1095,10],[1093,22],[1094,10],[1096,46],[1111,120],[1105,121],[1109,122],[1100,74],[1101,74],[1102,74],[1103,74],[1104,74],[1106,123],[1107,9],[1108,74],[1110,7],[915,124],[907,125],[908,41],[909,126],[910,127],[911,41],[912,128],[913,41],[914,9],[1113,129],[1112,25],[1115,130],[1114,131],[1117,132],[1116,22],[1119,133],[1118,10],[1121,134],[1120,135],[1128,136],[1127,137],[876,138],[875,22],[1136,139],[1135,140],[1129,9],[1130,10],[1131,141],[1132,142],[1133,143],[1134,10],[868,144],[867,22],[1138,145],[1137,42],[1141,146],[1140,147],[1139,10],[1144,148],[1143,149],[1142,10],[1146,150],[1145,42],[894,151],[893,152],[890,153],[892,154],[891,10],[879,155],[878,156],[877,46],[1151,157],[1150,158],[1147,10],[1148,10],[1149,10],[1158,159],[1156,160],[1157,9],[1152,10],[1153,42],[1154,9],[1155,161],[1160,162],[1159,10],[1162,163],[1161,10],[862,164],[861,10],[1164,165],[1163,10],[1166,166],[1165,25],[1168,167],[1167,10],[1170,168],[1169,10],[1172,169],[1171,10],[1176,170],[1175,171],[1173,135],[1174,171],[1178,172],[1177,10],[1180,173],[1179,10],[1182,174],[1181,10],[1186,175],[1185,176],[1183,7],[1184,177],[1189,178],[1188,179],[1187,42],[1194,180],[1190,181],[1193,182],[1191,183],[1192,10],[1196,184],[1195,185],[1201,186],[1200,187],[1197,10],[1198,10],[1199,188],[1203,189],[1202,25],[945,190],[944,22],[1081,191],[1080,42],[1205,192],[1204,42],[1207,193],[1206,10],[1210,194],[1209,195],[1208,10],[1212,196],[1211,10],[1217,197],[1216,198],[1213,199],[1214,200],[1215,135],[882,201],[883,202],[881,203],[880,7],[1218,204],[1221,205],[1220,206],[1219,207],[1223,208],[1222,10],[864,209],[863,22],[866,210],[865,10],[717,211],[680,212],[700,213],[718,214],[682,215],[698,216],[697,217],[696,218],[683,212],[684,212],[685,7],[686,212],[687,7],[691,219],[688,212],[689,7],[690,212],[692,220],[681,212],[699,7],[856,221],[857,222],[715,223],[713,46],[712,224],[716,225],[714,226],[858,227],[695,228],[694,229],[693,7],[730,230],[725,7],[721,230],[729,230],[728,230],[722,230],[679,230],[720,230],[731,231],[726,7],[727,7],[719,232],[724,7],[723,7],[736,233],[735,230],[734,234],[733,230],[822,235],[823,236],[828,237],[827,238],[829,239],[840,230],[824,230],[844,240],[843,7],[830,241],[832,242],[833,230],[835,243],[831,9],[834,230],[836,244],[838,245],[837,246],[826,247],[825,230],[841,230],[732,248],[821,249],[820,250],[737,230],[738,251],[842,252],[839,7],[701,253],[711,254],[702,255],[708,256],[703,257],[709,257],[704,258],[706,259],[707,260],[705,261],[710,262],[503,7],[516,7],[519,7],[511,9],[510,9],[513,7],[850,7],[502,7],[507,7],[853,7],[514,7],[847,238],[845,212],[848,7],[515,7],[851,7],[854,7],[512,7],[518,7],[846,263],[855,264],[509,7],[508,7],[501,7],[852,7],[517,7],[506,265],[504,7],[505,7],[849,46],[1225,266],[819,267],[746,7],[748,46],[749,7],[751,268],[752,7],[747,7],[753,46],[754,7],[758,46],[796,7],[755,7],[756,7],[795,46],[804,7],[802,7],[816,7],[757,7],[759,7],[797,7],[760,7],[788,7],[785,7],[803,7],[786,7],[787,269],[790,46],[761,7],[762,7],[805,7],[794,7],[784,7],[763,7],[814,7],[764,46],[765,7],[766,7],[767,270],[789,7],[809,7],[750,7],[769,46],[807,7],[770,46],[771,46],[806,46],[798,7],[815,7],[792,7],[774,7],[772,7],[801,7],[773,7],[817,46],[775,268],[777,46],[776,7],[818,7],[768,270],[793,7],[810,7],[778,7],[808,7],[800,7],[811,7],[812,46],[813,7],[799,7],[779,7],[780,7],[791,7],[781,7],[782,7],[783,7],[739,7],[745,271],[740,7],[741,7],[742,7],[743,7],[744,7],[407,7],[1238,46],[1253,7],[1254,7],[1255,7],[134,272],[135,272],[136,273],[95,274],[137,275],[138,276],[139,277],[90,7],[93,278],[91,7],[92,7],[140,279],[141,280],[142,281],[143,282],[144,283],[145,284],[146,284],[148,285],[147,286],[149,287],[150,288],[151,289],[133,290],[94,7],[152,291],[153,292],[154,293],[186,294],[155,295],[156,296],[157,297],[158,298],[159,299],[160,300],[161,301],[162,302],[163,303],[164,304],[165,304],[166,305],[167,7],[168,306],[170,307],[169,308],[171,309],[172,310],[173,311],[174,312],[175,313],[176,314],[177,315],[178,316],[179,317],[180,318],[181,319],[182,320],[183,321],[184,322],[185,323],[190,324],[191,325],[189,46],[187,326],[188,327],[79,7],[81,328],[303,46],[1246,329],[1245,7],[80,7],[1247,330],[1248,331],[88,332],[410,333],[415,334],[417,335],[211,336],[359,337],[386,338],[286,7],[204,7],[209,7],[350,339],[278,340],[210,7],[388,341],[389,342],[331,343],[347,344],[251,345],[354,346],[355,347],[353,348],[352,7],[351,349],[387,350],[212,351],[285,7],[287,352],[207,7],[222,353],[213,354],[226,353],[255,353],[197,353],[358,355],[368,7],[203,7],[309,356],[310,357],[304,221],[438,7],[312,7],[313,221],[305,358],[442,359],[441,360],[437,7],[391,7],[346,361],[345,7],[436,362],[306,46],[229,363],[227,364],[439,7],[440,7],[228,365],[431,366],[434,367],[238,368],[237,369],[236,370],[445,46],[235,371],[273,7],[448,7],[451,7],[450,46],[452,372],[193,7],[356,373],[357,374],[380,7],[202,375],[192,7],[195,376],[325,46],[324,377],[323,378],[314,7],[315,7],[322,7],[317,7],[320,379],[316,7],[318,380],[321,381],[319,380],[208,7],[200,7],[201,353],[409,382],[418,383],[422,384],[362,385],[361,7],[270,7],[453,386],[371,387],[307,388],[308,389],[300,390],[292,7],[298,7],[299,391],[329,392],[293,393],[330,394],[327,395],[326,7],[328,7],[282,396],[363,397],[364,398],[294,399],[295,400],[290,401],[342,402],[370,403],[373,404],[271,405],[198,406],[369,407],[194,338],[392,408],[403,409],[390,7],[402,410],[89,7],[378,411],[258,7],[288,412],[374,7],[217,7],[401,413],[206,7],[261,414],[360,415],[400,7],[394,416],[199,7],[395,417],[397,418],[398,419],[381,7],[399,406],[225,420],[379,421],[404,422],[334,7],[337,7],[335,7],[339,7],[336,7],[338,7],[340,423],[333,7],[264,424],[263,7],[269,425],[265,426],[268,427],[267,427],[266,426],[221,428],[253,429],[367,430],[454,7],[426,431],[428,432],[297,7],[427,433],[365,397],[311,397],[205,7],[254,434],[218,435],[219,436],[220,437],[216,438],[341,438],[232,438],[256,439],[233,439],[215,440],[214,7],[262,441],[260,442],[259,443],[257,444],[366,445],[302,446],[332,447],[301,448],[349,449],[348,450],[344,451],[250,452],[252,453],[249,454],[223,455],[281,7],[414,7],[280,456],[343,7],[272,457],[291,458],[289,459],[274,460],[276,461],[449,7],[275,462],[277,462],[412,7],[411,7],[413,7],[447,7],[279,463],[247,46],[87,7],[230,464],[239,7],[284,465],[224,7],[420,46],[430,466],[246,46],[424,221],[245,467],[406,468],[244,466],[196,7],[432,469],[242,46],[243,46],[234,7],[283,7],[241,470],[240,471],[231,472],[296,303],[372,303],[396,7],[376,473],[375,7],[416,7],[248,46],[408,474],[82,46],[85,475],[86,476],[83,46],[84,7],[393,477],[385,478],[384,7],[383,479],[382,7],[405,480],[419,481],[421,482],[423,483],[425,484],[429,485],[460,486],[433,486],[459,487],[435,488],[443,489],[444,490],[446,491],[455,492],[458,375],[457,7],[456,493],[479,494],[477,495],[478,496],[466,497],[467,495],[474,498],[465,499],[470,500],[480,7],[471,501],[476,502],[482,503],[481,504],[464,505],[472,506],[473,507],[468,508],[475,494],[469,509],[1126,510],[1123,511],[1124,512],[1125,512],[1122,46],[499,513],[500,514],[498,46],[377,515],[463,7],[485,516],[484,7],[483,7],[486,517],[678,518],[551,519],[647,7],[614,520],[584,521],[569,522],[648,7],[595,7],[606,7],[624,523],[522,7],[653,524],[655,525],[654,526],[608,527],[607,528],[610,529],[609,530],[567,7],[656,522],[660,531],[658,532],[526,533],[527,533],[528,7],[570,534],[621,535],[620,7],[633,536],[533,519],[627,7],[616,7],[673,537],[675,7],[554,538],[553,539],[636,540],[638,541],[531,542],[640,543],[645,544],[529,545],[542,546],[651,547],[590,548],[668,519],[644,549],[643,550],[543,551],[544,7],[562,552],[558,553],[559,554],[561,555],[557,556],[556,557],[560,558],[597,7],[545,7],[532,7],[546,559],[547,560],[549,561],[541,7],[588,7],[646,562],[589,547],[619,7],[612,7],[626,563],[625,564],[657,532],[661,565],[659,566],[525,567],[674,7],[613,538],[555,568],[631,569],[630,7],[585,570],[572,571],[573,7],[566,572],[617,573],[618,573],[535,574],[568,7],[548,575],[523,7],[587,576],[564,7],[600,7],[552,519],[635,577],[676,578],[578,522],[591,579],[662,526],[664,580],[663,580],[582,581],[583,582],[565,7],[520,7],[594,7],[593,522],[637,519],[634,7],[671,7],[575,522],[534,583],[574,7],[576,584],[579,522],[530,7],[629,7],[669,585],[649,534],[604,7],[598,586],[623,587],[599,586],[603,588],[601,589],[622,548],[586,590],[650,591],[571,592],[539,7],[577,593],[665,532],[667,565],[666,566],[670,7],[641,594],[632,7],[672,595],[615,596],[611,7],[628,597],[581,598],[580,599],[538,7],[596,7],[550,522],[677,7],[642,7],[521,7],[592,522],[524,7],[602,600],[537,7],[536,7],[605,7],[652,522],[563,522],[639,519],[540,601],[77,7],[78,7],[13,7],[14,7],[16,7],[15,7],[2,7],[17,7],[18,7],[19,7],[20,7],[21,7],[22,7],[23,7],[24,7],[3,7],[25,7],[26,7],[4,7],[27,7],[31,7],[28,7],[29,7],[30,7],[32,7],[33,7],[34,7],[5,7],[35,7],[36,7],[37,7],[38,7],[6,7],[42,7],[39,7],[40,7],[41,7],[43,7],[7,7],[44,7],[49,7],[50,7],[45,7],[46,7],[47,7],[48,7],[8,7],[54,7],[51,7],[52,7],[53,7],[55,7],[9,7],[56,7],[57,7],[58,7],[60,7],[59,7],[61,7],[62,7],[10,7],[63,7],[64,7],[65,7],[11,7],[66,7],[67,7],[68,7],[69,7],[70,7],[1,7],[71,7],[72,7],[12,7],[75,7],[74,7],[73,7],[76,7],[111,602],[121,603],[110,602],[131,604],[102,605],[101,606],[130,493],[124,607],[129,608],[104,609],[118,610],[103,611],[127,612],[99,613],[98,493],[128,614],[100,615],[105,616],[106,7],[109,616],[96,7],[132,617],[122,618],[113,619],[114,620],[116,621],[112,622],[115,623],[125,493],[107,624],[108,625],[117,626],[97,627],[120,618],[119,616],[123,7],[126,628],[1228,7],[1252,629],[1251,7],[1234,7],[1236,630],[1237,7],[1250,631],[1231,632],[1232,7],[1233,7],[1243,633],[1249,634],[1244,635],[1240,633],[1241,633],[1242,636],[1239,637],[1229,633],[1230,638],[490,639],[1235,640],[492,641],[493,642],[494,642],[491,643],[495,7],[497,644],[1226,633],[496,7],[1227,7],[489,7],[488,7],[487,645]],"affectedFilesPendingEmit":[462,1228,1252,1251,1234,1236,1237,1250,1231,1232,1233,1243,1249,1244,1240,1241,1242,1239,1229,1230,490,1235,492,493,494,491,497,1226,496,1227,489,488,487],"version":"5.7.3"} \ No newline at end of file +{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.es2021.d.ts","./node_modules/typescript/lib/lib.es2022.d.ts","./node_modules/typescript/lib/lib.es2023.d.ts","./node_modules/typescript/lib/lib.es2024.d.ts","./node_modules/typescript/lib/lib.esnext.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.es2021.promise.d.ts","./node_modules/typescript/lib/lib.es2021.string.d.ts","./node_modules/typescript/lib/lib.es2021.weakref.d.ts","./node_modules/typescript/lib/lib.es2021.intl.d.ts","./node_modules/typescript/lib/lib.es2022.array.d.ts","./node_modules/typescript/lib/lib.es2022.error.d.ts","./node_modules/typescript/lib/lib.es2022.intl.d.ts","./node_modules/typescript/lib/lib.es2022.object.d.ts","./node_modules/typescript/lib/lib.es2022.string.d.ts","./node_modules/typescript/lib/lib.es2022.regexp.d.ts","./node_modules/typescript/lib/lib.es2023.array.d.ts","./node_modules/typescript/lib/lib.es2023.collection.d.ts","./node_modules/typescript/lib/lib.es2023.intl.d.ts","./node_modules/typescript/lib/lib.es2024.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2024.collection.d.ts","./node_modules/typescript/lib/lib.es2024.object.d.ts","./node_modules/typescript/lib/lib.es2024.promise.d.ts","./node_modules/typescript/lib/lib.es2024.regexp.d.ts","./node_modules/typescript/lib/lib.es2024.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2024.string.d.ts","./node_modules/typescript/lib/lib.esnext.array.d.ts","./node_modules/typescript/lib/lib.esnext.collection.d.ts","./node_modules/typescript/lib/lib.esnext.intl.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.decorators.d.ts","./node_modules/typescript/lib/lib.esnext.iterator.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/next/dist/styled-jsx/types/css.d.ts","./node_modules/next/dist/styled-jsx/types/macro.d.ts","./node_modules/next/dist/styled-jsx/types/style.d.ts","./node_modules/next/dist/styled-jsx/types/global.d.ts","./node_modules/next/dist/styled-jsx/types/index.d.ts","./node_modules/next/dist/shared/lib/amp.d.ts","./node_modules/next/amp.d.ts","./node_modules/next/dist/server/get-page-files.d.ts","./node_modules/@types/node/compatibility/disposable.d.ts","./node_modules/@types/node/compatibility/indexable.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/compatibility/index.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/file.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/filereader.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/dom-events.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/@types/react/canary.d.ts","./node_modules/@types/react/experimental.d.ts","./node_modules/@types/react-dom/index.d.ts","./node_modules/@types/react-dom/canary.d.ts","./node_modules/@types/react-dom/experimental.d.ts","./node_modules/next/dist/lib/fallback.d.ts","./node_modules/next/dist/compiled/webpack/webpack.d.ts","./node_modules/next/dist/server/config.d.ts","./node_modules/next/dist/lib/load-custom-routes.d.ts","./node_modules/next/dist/shared/lib/image-config.d.ts","./node_modules/next/dist/build/webpack/plugins/subresource-integrity-plugin.d.ts","./node_modules/next/dist/server/body-streams.d.ts","./node_modules/next/dist/server/lib/revalidate.d.ts","./node_modules/next/dist/lib/setup-exception-listeners.d.ts","./node_modules/next/dist/lib/worker.d.ts","./node_modules/next/dist/lib/constants.d.ts","./node_modules/next/dist/client/components/app-router-headers.d.ts","./node_modules/next/dist/build/rendering-mode.d.ts","./node_modules/next/dist/server/require-hook.d.ts","./node_modules/next/dist/server/lib/experimental/ppr.d.ts","./node_modules/next/dist/build/webpack/plugins/app-build-manifest-plugin.d.ts","./node_modules/next/dist/lib/page-types.d.ts","./node_modules/next/dist/build/segment-config/app/app-segment-config.d.ts","./node_modules/next/dist/build/segment-config/pages/pages-segment-config.d.ts","./node_modules/next/dist/build/analysis/get-page-static-info.d.ts","./node_modules/next/dist/build/webpack/loaders/get-module-build-info.d.ts","./node_modules/next/dist/build/webpack/plugins/middleware-plugin.d.ts","./node_modules/next/dist/server/route-kind.d.ts","./node_modules/next/dist/server/route-definitions/route-definition.d.ts","./node_modules/next/dist/server/route-definitions/app-page-route-definition.d.ts","./node_modules/next/dist/server/lib/cache-handlers/types.d.ts","./node_modules/next/dist/server/response-cache/types.d.ts","./node_modules/next/dist/server/resume-data-cache/cache-store.d.ts","./node_modules/next/dist/server/resume-data-cache/resume-data-cache.d.ts","./node_modules/next/dist/server/render-result.d.ts","./node_modules/next/dist/build/webpack/plugins/flight-manifest-plugin.d.ts","./node_modules/next/dist/server/route-modules/route-module.d.ts","./node_modules/next/dist/shared/lib/deep-readonly.d.ts","./node_modules/next/dist/server/load-components.d.ts","./node_modules/next/dist/build/webpack/plugins/next-font-manifest-plugin.d.ts","./node_modules/next/dist/client/components/router-reducer/router-reducer-types.d.ts","./node_modules/next/dist/client/flight-data-helpers.d.ts","./node_modules/next/dist/client/components/router-reducer/fetch-server-response.d.ts","./node_modules/next/dist/shared/lib/app-router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/router/utils/middleware-route-matcher.d.ts","./node_modules/next/dist/server/route-definitions/locale-route-definition.d.ts","./node_modules/next/dist/server/route-definitions/pages-route-definition.d.ts","./node_modules/next/dist/shared/lib/mitt.d.ts","./node_modules/next/dist/client/with-router.d.ts","./node_modules/next/dist/client/router.d.ts","./node_modules/next/dist/client/route-loader.d.ts","./node_modules/next/dist/client/page-loader.d.ts","./node_modules/next/dist/shared/lib/bloom-filter.d.ts","./node_modules/next/dist/shared/lib/router/router.d.ts","./node_modules/next/dist/shared/lib/router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/image-config-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/hooks-client-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/head-manager-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/amp-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/server-inserted-html.shared-runtime.d.ts","./node_modules/next/dist/server/route-modules/pages/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/pages/module.compiled.d.ts","./node_modules/next/dist/build/templates/pages.d.ts","./node_modules/next/dist/server/route-modules/pages/module.d.ts","./node_modules/next/dist/server/render.d.ts","./node_modules/next/dist/server/response-cache/index.d.ts","./node_modules/next/dist/build/webpack/plugins/pages-manifest-plugin.d.ts","./node_modules/next/dist/server/route-definitions/pages-api-route-definition.d.ts","./node_modules/next/dist/server/route-matches/pages-api-route-match.d.ts","./node_modules/next/dist/server/instrumentation/types.d.ts","./node_modules/next/dist/server/route-matchers/route-matcher.d.ts","./node_modules/next/dist/server/route-matcher-providers/route-matcher-provider.d.ts","./node_modules/next/dist/server/lib/i18n-provider.d.ts","./node_modules/next/dist/server/route-matcher-managers/route-matcher-manager.d.ts","./node_modules/next/dist/server/normalizers/normalizer.d.ts","./node_modules/next/dist/server/normalizers/locale-route-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/pathname-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/suffix.d.ts","./node_modules/next/dist/server/normalizers/request/rsc.d.ts","./node_modules/next/dist/server/normalizers/request/prefetch-rsc.d.ts","./node_modules/next/dist/server/normalizers/request/next-data.d.ts","./node_modules/next/dist/server/after/builtin-request-context.d.ts","./node_modules/next/dist/server/base-server.d.ts","./node_modules/next/dist/server/web/next-url.d.ts","./node_modules/next/dist/compiled/@edge-runtime/cookies/index.d.ts","./node_modules/next/dist/server/web/spec-extension/cookies.d.ts","./node_modules/next/dist/server/web/spec-extension/request.d.ts","./node_modules/next/dist/server/web/spec-extension/fetch-event.d.ts","./node_modules/next/dist/server/web/spec-extension/response.d.ts","./node_modules/next/dist/build/segment-config/middleware/middleware-config.d.ts","./node_modules/next/dist/server/web/types.d.ts","./node_modules/next/dist/server/web/adapter.d.ts","./node_modules/next/dist/server/use-cache/cache-life.d.ts","./node_modules/next/dist/server/app-render/types.d.ts","./node_modules/next/dist/shared/lib/modern-browserslist-target.d.ts","./node_modules/next/dist/shared/lib/constants.d.ts","./node_modules/next/dist/build/webpack/loaders/metadata/types.d.ts","./node_modules/next/dist/build/page-extensions-type.d.ts","./node_modules/next/dist/build/webpack/loaders/next-app-loader/index.d.ts","./node_modules/next/dist/server/lib/app-dir-module.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/request-cookies.d.ts","./node_modules/next/dist/server/async-storage/draft-mode-provider.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/headers.d.ts","./node_modules/next/dist/server/app-render/cache-signal.d.ts","./node_modules/next/dist/server/app-render/dynamic-rendering.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage.external.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-relative-url.d.ts","./node_modules/next/dist/server/request/fallback-params.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot-instance.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot.external.d.ts","./node_modules/next/dist/server/app-render/app-render.d.ts","./node_modules/next/dist/server/route-modules/app-page/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.compiled.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/next/dist/client/components/error-boundary.d.ts","./node_modules/next/dist/client/components/layout-router.d.ts","./node_modules/next/dist/client/components/render-from-template-context.d.ts","./node_modules/next/dist/server/app-render/action-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/action-async-storage.external.d.ts","./node_modules/next/dist/client/components/client-page.d.ts","./node_modules/next/dist/client/components/client-segment.d.ts","./node_modules/next/dist/server/request/search-params.d.ts","./node_modules/next/dist/client/components/hooks-server-context.d.ts","./node_modules/next/dist/client/components/http-access-fallback/error-boundary.d.ts","./node_modules/next/dist/lib/metadata/types/alternative-urls-types.d.ts","./node_modules/next/dist/lib/metadata/types/extra-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-types.d.ts","./node_modules/next/dist/lib/metadata/types/manifest-types.d.ts","./node_modules/next/dist/lib/metadata/types/opengraph-types.d.ts","./node_modules/next/dist/lib/metadata/types/twitter-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-interface.d.ts","./node_modules/next/dist/lib/metadata/types/resolvers.d.ts","./node_modules/next/dist/lib/metadata/types/icons.d.ts","./node_modules/next/dist/lib/metadata/resolve-metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata-boundary.d.ts","./node_modules/next/dist/server/app-render/rsc/preloads.d.ts","./node_modules/next/dist/server/app-render/rsc/postpone.d.ts","./node_modules/next/dist/server/app-render/rsc/taint.d.ts","./node_modules/next/dist/server/app-render/collect-segment-data.d.ts","./node_modules/next/dist/server/app-render/entry-base.d.ts","./node_modules/next/dist/build/templates/app-page.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.d.ts","./node_modules/next/dist/server/node-polyfill-crypto.d.ts","./node_modules/next/dist/server/node-environment-baseline.d.ts","./node_modules/next/dist/server/node-environment-extensions/error-inspect.d.ts","./node_modules/next/dist/server/node-environment-extensions/random.d.ts","./node_modules/next/dist/server/node-environment-extensions/date.d.ts","./node_modules/next/dist/server/node-environment-extensions/web-crypto.d.ts","./node_modules/next/dist/server/node-environment-extensions/node-crypto.d.ts","./node_modules/next/dist/server/node-environment.d.ts","./node_modules/next/dist/server/route-definitions/app-route-route-definition.d.ts","./node_modules/next/dist/server/async-storage/work-store.d.ts","./node_modules/next/dist/server/web/http.d.ts","./node_modules/next/dist/server/route-modules/app-route/shared-modules.d.ts","./node_modules/next/dist/client/components/redirect-status-code.d.ts","./node_modules/next/dist/client/components/redirect-error.d.ts","./node_modules/next/dist/build/templates/app-route.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.compiled.d.ts","./node_modules/next/dist/build/segment-config/app/app-segments.d.ts","./node_modules/next/dist/build/utils.d.ts","./node_modules/next/dist/build/turborepo-access-trace/types.d.ts","./node_modules/next/dist/build/turborepo-access-trace/result.d.ts","./node_modules/next/dist/build/turborepo-access-trace/helpers.d.ts","./node_modules/next/dist/build/turborepo-access-trace/index.d.ts","./node_modules/next/dist/export/types.d.ts","./node_modules/next/dist/export/worker.d.ts","./node_modules/next/dist/build/worker.d.ts","./node_modules/next/dist/build/index.d.ts","./node_modules/next/dist/server/lib/incremental-cache/index.d.ts","./node_modules/next/dist/server/after/after.d.ts","./node_modules/next/dist/server/after/after-context.d.ts","./node_modules/next/dist/server/app-render/work-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-async-storage.external.d.ts","./node_modules/next/dist/server/request/params.d.ts","./node_modules/next/dist/server/route-matches/route-match.d.ts","./node_modules/next/dist/server/request-meta.d.ts","./node_modules/next/dist/cli/next-test.d.ts","./node_modules/next/dist/server/config-shared.d.ts","./node_modules/next/dist/server/base-http/index.d.ts","./node_modules/next/dist/server/api-utils/index.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-url.d.ts","./node_modules/next/dist/server/base-http/node.d.ts","./node_modules/next/dist/server/lib/async-callback-set.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-regex.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-matcher.d.ts","./node_modules/sharp/lib/index.d.ts","./node_modules/next/dist/server/image-optimizer.d.ts","./node_modules/next/dist/server/next-server.d.ts","./node_modules/next/dist/lib/coalesced-function.d.ts","./node_modules/next/dist/server/lib/router-utils/types.d.ts","./node_modules/next/dist/trace/types.d.ts","./node_modules/next/dist/trace/trace.d.ts","./node_modules/next/dist/trace/shared.d.ts","./node_modules/next/dist/trace/index.d.ts","./node_modules/next/dist/build/load-jsconfig.d.ts","./node_modules/next/dist/build/webpack-config.d.ts","./node_modules/next/dist/build/swc/generated-native.d.ts","./node_modules/next/dist/build/swc/types.d.ts","./node_modules/next/dist/server/dev/parse-version-info.d.ts","./node_modules/next/dist/client/components/react-dev-overlay/types.d.ts","./node_modules/next/dist/server/dev/hot-reloader-types.d.ts","./node_modules/next/dist/telemetry/storage.d.ts","./node_modules/next/dist/server/lib/render-server.d.ts","./node_modules/next/dist/server/lib/router-server.d.ts","./node_modules/next/dist/shared/lib/router/utils/path-match.d.ts","./node_modules/next/dist/server/lib/router-utils/filesystem.d.ts","./node_modules/next/dist/server/lib/router-utils/setup-dev-bundler.d.ts","./node_modules/next/dist/server/lib/types.d.ts","./node_modules/next/dist/server/lib/lru-cache.d.ts","./node_modules/next/dist/server/lib/dev-bundler-service.d.ts","./node_modules/next/dist/server/dev/static-paths-worker.d.ts","./node_modules/next/dist/server/dev/next-dev-server.d.ts","./node_modules/next/dist/server/next.d.ts","./node_modules/next/dist/types.d.ts","./node_modules/next/dist/shared/lib/html-context.shared-runtime.d.ts","./node_modules/@next/env/dist/index.d.ts","./node_modules/next/dist/shared/lib/utils.d.ts","./node_modules/next/dist/pages/_app.d.ts","./node_modules/next/app.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-cache.d.ts","./node_modules/next/dist/server/web/spec-extension/revalidate.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-no-store.d.ts","./node_modules/next/dist/server/use-cache/cache-tag.d.ts","./node_modules/next/cache.d.ts","./node_modules/next/dist/shared/lib/runtime-config.external.d.ts","./node_modules/next/config.d.ts","./node_modules/next/dist/pages/_document.d.ts","./node_modules/next/document.d.ts","./node_modules/next/dist/shared/lib/dynamic.d.ts","./node_modules/next/dynamic.d.ts","./node_modules/next/dist/pages/_error.d.ts","./node_modules/next/error.d.ts","./node_modules/next/dist/shared/lib/head.d.ts","./node_modules/next/head.d.ts","./node_modules/next/dist/server/request/cookies.d.ts","./node_modules/next/dist/server/request/headers.d.ts","./node_modules/next/dist/server/request/draft-mode.d.ts","./node_modules/next/headers.d.ts","./node_modules/next/dist/shared/lib/get-img-props.d.ts","./node_modules/next/dist/client/image-component.d.ts","./node_modules/next/dist/shared/lib/image-external.d.ts","./node_modules/next/image.d.ts","./node_modules/next/dist/client/link.d.ts","./node_modules/next/link.d.ts","./node_modules/next/dist/client/components/redirect.d.ts","./node_modules/next/dist/client/components/not-found.d.ts","./node_modules/next/dist/client/components/forbidden.d.ts","./node_modules/next/dist/client/components/unauthorized.d.ts","./node_modules/next/dist/client/components/unstable-rethrow.d.ts","./node_modules/next/dist/client/components/navigation.react-server.d.ts","./node_modules/next/dist/client/components/navigation.d.ts","./node_modules/next/navigation.d.ts","./node_modules/next/router.d.ts","./node_modules/next/dist/client/script.d.ts","./node_modules/next/script.d.ts","./node_modules/next/dist/server/web/spec-extension/user-agent.d.ts","./node_modules/next/dist/compiled/@edge-runtime/primitives/url.d.ts","./node_modules/next/dist/server/web/spec-extension/image-response.d.ts","./node_modules/next/dist/compiled/@vercel/og/satori/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/emoji/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/types.d.ts","./node_modules/next/dist/server/after/index.d.ts","./node_modules/next/dist/server/request/connection.d.ts","./node_modules/next/server.d.ts","./node_modules/next/types/global.d.ts","./node_modules/next/types/compiled.d.ts","./node_modules/next/types.d.ts","./node_modules/next/index.d.ts","./node_modules/next/image-types/global.d.ts","./next-env.d.ts","./next.config.ts","./node_modules/source-map-js/source-map.d.ts","./node_modules/postcss/lib/previous-map.d.ts","./node_modules/postcss/lib/input.d.ts","./node_modules/postcss/lib/css-syntax-error.d.ts","./node_modules/postcss/lib/declaration.d.ts","./node_modules/postcss/lib/root.d.ts","./node_modules/postcss/lib/warning.d.ts","./node_modules/postcss/lib/lazy-result.d.ts","./node_modules/postcss/lib/no-work-result.d.ts","./node_modules/postcss/lib/processor.d.ts","./node_modules/postcss/lib/result.d.ts","./node_modules/postcss/lib/document.d.ts","./node_modules/postcss/lib/rule.d.ts","./node_modules/postcss/lib/node.d.ts","./node_modules/postcss/lib/comment.d.ts","./node_modules/postcss/lib/container.d.ts","./node_modules/postcss/lib/at-rule.d.ts","./node_modules/postcss/lib/list.d.ts","./node_modules/postcss/lib/postcss.d.ts","./node_modules/postcss/lib/postcss.d.mts","./node_modules/tailwindcss/types/generated/corepluginlist.d.ts","./node_modules/tailwindcss/types/generated/colors.d.ts","./node_modules/tailwindcss/types/config.d.ts","./node_modules/tailwindcss/types/index.d.ts","./tailwind.config.ts","./node_modules/bson/bson.d.ts","./node_modules/mongodb/mongodb.d.ts","./src/app/api/jobs/route.ts","./src/types/job.ts","./src/types/filters.ts","./src/lib/fetch-jobs.ts","./src/lib/jobs.json","./src/lib/transform-job-data.ts","./src/lib/mock-data.ts","./node_modules/react-remove-scroll/dist/es5/types.d.ts","./node_modules/react-remove-scroll/dist/es5/combination.d.ts","./node_modules/react-remove-scroll/dist/es5/index.d.ts","./node_modules/@mantine/core/lib/core/utils/keys/keys.d.ts","./node_modules/@mantine/core/lib/core/utils/deep-merge/deep-merge.d.ts","./node_modules/@mantine/core/lib/core/utils/camel-to-kebab-case/camel-to-kebab-case.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/px.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/rem.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/index.d.ts","./node_modules/@mantine/core/lib/core/utils/filter-props/filter-props.d.ts","./node_modules/@mantine/core/lib/core/utils/is-number-like/is-number-like.d.ts","./node_modules/@mantine/core/lib/core/utils/is-element/is-element.d.ts","./node_modules/@mantine/core/lib/core/utils/create-safe-context/create-safe-context.d.ts","./node_modules/@mantine/core/lib/core/utils/create-optional-context/create-optional-context.d.ts","./node_modules/@mantine/core/lib/core/utils/get-safe-id/get-safe-id.d.ts","./node_modules/@mantine/core/lib/core/utils/create-scoped-keydown-handler/create-scoped-keydown-handler.d.ts","./node_modules/@mantine/core/lib/core/utils/find-element-ancestor/find-element-ancestor.d.ts","./node_modules/@mantine/core/lib/core/utils/get-default-z-index/get-default-z-index.d.ts","./node_modules/@mantine/core/lib/core/utils/close-on-escape/close-on-escape.d.ts","./node_modules/@mantine/core/lib/core/utils/noop/noop.d.ts","./node_modules/@mantine/core/lib/core/utils/get-size/get-size.d.ts","./node_modules/@mantine/core/lib/core/utils/create-event-handler/create-event-handler.d.ts","./node_modules/type-fest/source/primitive.d.ts","./node_modules/type-fest/source/typed-array.d.ts","./node_modules/type-fest/source/basic.d.ts","./node_modules/type-fest/source/observable-like.d.ts","./node_modules/type-fest/source/union-to-intersection.d.ts","./node_modules/type-fest/source/keys-of-union.d.ts","./node_modules/type-fest/source/distributed-omit.d.ts","./node_modules/type-fest/source/distributed-pick.d.ts","./node_modules/type-fest/source/empty-object.d.ts","./node_modules/type-fest/source/if-empty-object.d.ts","./node_modules/type-fest/source/required-keys-of.d.ts","./node_modules/type-fest/source/has-required-keys.d.ts","./node_modules/type-fest/source/is-equal.d.ts","./node_modules/type-fest/source/except.d.ts","./node_modules/type-fest/source/require-at-least-one.d.ts","./node_modules/type-fest/source/non-empty-object.d.ts","./node_modules/type-fest/source/unknown-record.d.ts","./node_modules/type-fest/source/unknown-array.d.ts","./node_modules/type-fest/source/tagged-union.d.ts","./node_modules/type-fest/source/simplify.d.ts","./node_modules/type-fest/source/writable.d.ts","./node_modules/type-fest/source/is-never.d.ts","./node_modules/type-fest/source/if-never.d.ts","./node_modules/type-fest/source/internal/array.d.ts","./node_modules/type-fest/source/internal/characters.d.ts","./node_modules/type-fest/source/is-any.d.ts","./node_modules/type-fest/source/is-float.d.ts","./node_modules/type-fest/source/is-integer.d.ts","./node_modules/type-fest/source/numeric.d.ts","./node_modules/type-fest/source/is-literal.d.ts","./node_modules/type-fest/source/trim.d.ts","./node_modules/type-fest/source/and.d.ts","./node_modules/type-fest/source/or.d.ts","./node_modules/type-fest/source/greater-than.d.ts","./node_modules/type-fest/source/greater-than-or-equal.d.ts","./node_modules/type-fest/source/less-than.d.ts","./node_modules/type-fest/source/internal/tuple.d.ts","./node_modules/type-fest/source/internal/string.d.ts","./node_modules/type-fest/source/internal/keys.d.ts","./node_modules/type-fest/source/internal/numeric.d.ts","./node_modules/type-fest/source/internal/type.d.ts","./node_modules/type-fest/source/internal/object.d.ts","./node_modules/type-fest/source/internal/index.d.ts","./node_modules/type-fest/source/writable-deep.d.ts","./node_modules/type-fest/source/omit-index-signature.d.ts","./node_modules/type-fest/source/pick-index-signature.d.ts","./node_modules/type-fest/source/merge.d.ts","./node_modules/type-fest/source/conditional-simplify.d.ts","./node_modules/type-fest/source/non-empty-tuple.d.ts","./node_modules/type-fest/source/array-tail.d.ts","./node_modules/type-fest/source/enforce-optional.d.ts","./node_modules/type-fest/source/simplify-deep.d.ts","./node_modules/type-fest/source/merge-deep.d.ts","./node_modules/type-fest/source/merge-exclusive.d.ts","./node_modules/type-fest/source/require-exactly-one.d.ts","./node_modules/type-fest/source/require-all-or-none.d.ts","./node_modules/type-fest/source/require-one-or-none.d.ts","./node_modules/type-fest/source/single-key-object.d.ts","./node_modules/type-fest/source/partial-deep.d.ts","./node_modules/type-fest/source/required-deep.d.ts","./node_modules/type-fest/source/sum.d.ts","./node_modules/type-fest/source/subtract.d.ts","./node_modules/type-fest/source/paths.d.ts","./node_modules/type-fest/source/pick-deep.d.ts","./node_modules/type-fest/source/array-splice.d.ts","./node_modules/type-fest/source/literal-union.d.ts","./node_modules/type-fest/source/shared-union-fields-deep.d.ts","./node_modules/type-fest/source/omit-deep.d.ts","./node_modules/type-fest/source/is-null.d.ts","./node_modules/type-fest/source/is-unknown.d.ts","./node_modules/type-fest/source/if-unknown.d.ts","./node_modules/type-fest/source/partial-on-undefined-deep.d.ts","./node_modules/type-fest/source/undefined-on-partial-deep.d.ts","./node_modules/type-fest/source/readonly-deep.d.ts","./node_modules/type-fest/source/promisable.d.ts","./node_modules/type-fest/source/arrayable.d.ts","./node_modules/type-fest/source/tagged.d.ts","./node_modules/type-fest/source/invariant-of.d.ts","./node_modules/type-fest/source/set-optional.d.ts","./node_modules/type-fest/source/set-readonly.d.ts","./node_modules/type-fest/source/optional-keys-of.d.ts","./node_modules/type-fest/source/set-required.d.ts","./node_modules/type-fest/source/union-to-tuple.d.ts","./node_modules/type-fest/source/set-required-deep.d.ts","./node_modules/type-fest/source/set-non-nullable.d.ts","./node_modules/type-fest/source/value-of.d.ts","./node_modules/type-fest/source/async-return-type.d.ts","./node_modules/type-fest/source/conditional-keys.d.ts","./node_modules/type-fest/source/conditional-except.d.ts","./node_modules/type-fest/source/conditional-pick.d.ts","./node_modules/type-fest/source/conditional-pick-deep.d.ts","./node_modules/type-fest/source/stringified.d.ts","./node_modules/type-fest/source/join.d.ts","./node_modules/type-fest/source/less-than-or-equal.d.ts","./node_modules/type-fest/source/array-slice.d.ts","./node_modules/type-fest/source/string-slice.d.ts","./node_modules/type-fest/source/fixed-length-array.d.ts","./node_modules/type-fest/source/multidimensional-array.d.ts","./node_modules/type-fest/source/multidimensional-readonly-array.d.ts","./node_modules/type-fest/source/iterable-element.d.ts","./node_modules/type-fest/source/entry.d.ts","./node_modules/type-fest/source/entries.d.ts","./node_modules/type-fest/source/set-return-type.d.ts","./node_modules/type-fest/source/set-parameter-type.d.ts","./node_modules/type-fest/source/asyncify.d.ts","./node_modules/type-fest/source/jsonify.d.ts","./node_modules/type-fest/source/jsonifiable.d.ts","./node_modules/type-fest/source/find-global-type.d.ts","./node_modules/type-fest/source/structured-cloneable.d.ts","./node_modules/type-fest/source/schema.d.ts","./node_modules/type-fest/source/literal-to-primitive.d.ts","./node_modules/type-fest/source/literal-to-primitive-deep.d.ts","./node_modules/type-fest/source/string-key-of.d.ts","./node_modules/type-fest/source/exact.d.ts","./node_modules/type-fest/source/readonly-tuple.d.ts","./node_modules/type-fest/source/override-properties.d.ts","./node_modules/type-fest/source/has-optional-keys.d.ts","./node_modules/type-fest/source/readonly-keys-of.d.ts","./node_modules/type-fest/source/has-readonly-keys.d.ts","./node_modules/type-fest/source/writable-keys-of.d.ts","./node_modules/type-fest/source/has-writable-keys.d.ts","./node_modules/type-fest/source/spread.d.ts","./node_modules/type-fest/source/tuple-to-union.d.ts","./node_modules/type-fest/source/int-range.d.ts","./node_modules/type-fest/source/int-closed-range.d.ts","./node_modules/type-fest/source/if-any.d.ts","./node_modules/type-fest/source/is-tuple.d.ts","./node_modules/type-fest/source/array-indices.d.ts","./node_modules/type-fest/source/array-values.d.ts","./node_modules/type-fest/source/set-field-type.d.ts","./node_modules/type-fest/source/shared-union-fields.d.ts","./node_modules/type-fest/source/if-null.d.ts","./node_modules/type-fest/source/words.d.ts","./node_modules/type-fest/source/camel-case.d.ts","./node_modules/type-fest/source/camel-cased-properties.d.ts","./node_modules/type-fest/source/camel-cased-properties-deep.d.ts","./node_modules/type-fest/source/delimiter-case.d.ts","./node_modules/type-fest/source/kebab-case.d.ts","./node_modules/type-fest/source/delimiter-cased-properties.d.ts","./node_modules/type-fest/source/kebab-cased-properties.d.ts","./node_modules/type-fest/source/delimiter-cased-properties-deep.d.ts","./node_modules/type-fest/source/kebab-cased-properties-deep.d.ts","./node_modules/type-fest/source/pascal-case.d.ts","./node_modules/type-fest/source/pascal-cased-properties.d.ts","./node_modules/type-fest/source/pascal-cased-properties-deep.d.ts","./node_modules/type-fest/source/snake-case.d.ts","./node_modules/type-fest/source/snake-cased-properties.d.ts","./node_modules/type-fest/source/snake-cased-properties-deep.d.ts","./node_modules/type-fest/source/includes.d.ts","./node_modules/type-fest/source/screaming-snake-case.d.ts","./node_modules/type-fest/source/split.d.ts","./node_modules/type-fest/source/replace.d.ts","./node_modules/type-fest/source/string-repeat.d.ts","./node_modules/type-fest/source/get.d.ts","./node_modules/type-fest/source/last-array-element.d.ts","./node_modules/type-fest/source/global-this.d.ts","./node_modules/type-fest/source/package-json.d.ts","./node_modules/type-fest/source/tsconfig-json.d.ts","./node_modules/type-fest/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-primary-shade/get-primary-shade.d.ts","./node_modules/@mantine/core/lib/core/box/box.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/extract-style-props/extract-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/border-resolver/border-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/color-resolver/color-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-family-resolver/font-family-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-size-resolver/font-size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/identity-resolver/identity-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/line-height-resolver/line-height-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/size-resolver/size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/spacing-resolver/spacing-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props-data.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/styles-to-string/styles-to-string.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/inlinestyles.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/sort-media-queries.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/parse-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/index.d.ts","./node_modules/@mantine/core/lib/core/box/use-random-classname/use-random-classname.d.ts","./node_modules/@mantine/core/lib/core/box/get-style-object/get-style-object.d.ts","./node_modules/@mantine/core/lib/core/styles-api/create-vars-resolver/create-vars-resolver.d.ts","./node_modules/@mantine/core/lib/core/styles-api/styles-api.types.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-class-name.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/resolve-class-names/resolve-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-vars/resolve-vars.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/get-style.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-styles/resolve-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-resolved-styles-api/use-resolved-styles-api.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-global-class-names/get-global-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/use-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/index.d.ts","./node_modules/@mantine/core/lib/core/factory/factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-polymorphic-component.d.ts","./node_modules/@mantine/core/lib/core/factory/polymorphic-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/index.d.ts","./node_modules/@mantine/core/lib/core/box/box.d.ts","./node_modules/@mantine/core/lib/core/box/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/parse-theme-color/parse-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-theme-color/get-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/default-variant-colors-resolver/default-variant-colors-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-gradient/get-gradient.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/to-rgba/to-rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/rgba/rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/darken/darken.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/lighten/lighten.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/luminance/luminance.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-contrast-color/get-contrast-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-auto-contrast-value/get-auto-contrast-value.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/colors-tuple/colors-tuple.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/theme.types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/local-storage-manager.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/is-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-provider-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/utils/clamp/clamp.d.ts","./node_modules/@mantine/hooks/lib/utils/lower-first/lower-first.d.ts","./node_modules/@mantine/hooks/lib/utils/random-id/random-id.d.ts","./node_modules/@mantine/hooks/lib/utils/range/range.d.ts","./node_modules/@mantine/hooks/lib/utils/shallow-equal/shallow-equal.d.ts","./node_modules/@mantine/hooks/lib/utils/upper-first/upper-first.d.ts","./node_modules/@mantine/hooks/lib/utils/index.d.ts","./node_modules/@mantine/hooks/lib/use-callback-ref/use-callback-ref.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-callback/use-debounced-callback.d.ts","./node_modules/@mantine/hooks/lib/use-click-outside/use-click-outside.d.ts","./node_modules/@mantine/hooks/lib/use-clipboard/use-clipboard.d.ts","./node_modules/@mantine/hooks/lib/use-media-query/use-media-query.d.ts","./node_modules/@mantine/hooks/lib/use-color-scheme/use-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/use-counter/use-counter.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-state/use-debounced-state.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-value/use-debounced-value.d.ts","./node_modules/@mantine/hooks/lib/use-document-title/use-document-title.d.ts","./node_modules/@mantine/hooks/lib/use-document-visibility/use-document-visibility.d.ts","./node_modules/@mantine/hooks/lib/use-focus-return/use-focus-return.d.ts","./node_modules/@mantine/hooks/lib/use-did-update/use-did-update.d.ts","./node_modules/@mantine/hooks/lib/use-focus-trap/use-focus-trap.d.ts","./node_modules/@mantine/hooks/lib/use-force-update/use-force-update.d.ts","./node_modules/@mantine/hooks/lib/use-id/use-id.d.ts","./node_modules/@mantine/hooks/lib/use-idle/use-idle.d.ts","./node_modules/@mantine/hooks/lib/use-interval/use-interval.d.ts","./node_modules/@mantine/hooks/lib/use-isomorphic-effect/use-isomorphic-effect.d.ts","./node_modules/@mantine/hooks/lib/use-list-state/use-list-state.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/create-storage.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/use-local-storage.d.ts","./node_modules/@mantine/hooks/lib/use-session-storage/use-session-storage.d.ts","./node_modules/@mantine/hooks/lib/use-merged-ref/use-merged-ref.d.ts","./node_modules/@mantine/hooks/lib/use-mouse/use-mouse.d.ts","./node_modules/@mantine/hooks/lib/use-move/use-move.d.ts","./node_modules/@mantine/hooks/lib/use-pagination/use-pagination.d.ts","./node_modules/@mantine/hooks/lib/use-queue/use-queue.d.ts","./node_modules/@mantine/hooks/lib/use-page-leave/use-page-leave.d.ts","./node_modules/@mantine/hooks/lib/use-reduced-motion/use-reduced-motion.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-into-view/use-scroll-into-view.d.ts","./node_modules/@mantine/hooks/lib/use-resize-observer/use-resize-observer.d.ts","./node_modules/@mantine/hooks/lib/use-shallow-effect/use-shallow-effect.d.ts","./node_modules/@mantine/hooks/lib/use-toggle/use-toggle.d.ts","./node_modules/@mantine/hooks/lib/use-uncontrolled/use-uncontrolled.d.ts","./node_modules/@mantine/hooks/lib/use-viewport-size/use-viewport-size.d.ts","./node_modules/@mantine/hooks/lib/use-window-event/use-window-event.d.ts","./node_modules/@mantine/hooks/lib/use-window-scroll/use-window-scroll.d.ts","./node_modules/@mantine/hooks/lib/use-intersection/use-intersection.d.ts","./node_modules/@mantine/hooks/lib/use-hash/use-hash.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/parse-hotkey.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/use-hotkeys.d.ts","./node_modules/@mantine/hooks/lib/use-fullscreen/use-fullscreen.d.ts","./node_modules/@mantine/hooks/lib/use-logger/use-logger.d.ts","./node_modules/@mantine/hooks/lib/use-hover/use-hover.d.ts","./node_modules/@mantine/hooks/lib/use-validated-state/use-validated-state.d.ts","./node_modules/@mantine/hooks/lib/use-os/use-os.d.ts","./node_modules/@mantine/hooks/lib/use-set-state/use-set-state.d.ts","./node_modules/@mantine/hooks/lib/use-input-state/use-input-state.d.ts","./node_modules/@mantine/hooks/lib/use-event-listener/use-event-listener.d.ts","./node_modules/@mantine/hooks/lib/use-disclosure/use-disclosure.d.ts","./node_modules/@mantine/hooks/lib/use-focus-within/use-focus-within.d.ts","./node_modules/@mantine/hooks/lib/use-network/use-network.d.ts","./node_modules/@mantine/hooks/lib/use-timeout/use-timeout.d.ts","./node_modules/@mantine/hooks/lib/use-text-selection/use-text-selection.d.ts","./node_modules/@mantine/hooks/lib/use-previous/use-previous.d.ts","./node_modules/@mantine/hooks/lib/use-favicon/use-favicon.d.ts","./node_modules/@mantine/hooks/lib/use-headroom/use-headroom.d.ts","./node_modules/@mantine/hooks/lib/use-eye-dropper/use-eye-dropper.d.ts","./node_modules/@mantine/hooks/lib/use-in-viewport/use-in-viewport.d.ts","./node_modules/@mantine/hooks/lib/use-mutation-observer/use-mutation-observer.d.ts","./node_modules/@mantine/hooks/lib/use-mounted/use-mounted.d.ts","./node_modules/@mantine/hooks/lib/use-state-history/use-state-history.d.ts","./node_modules/@mantine/hooks/lib/use-map/use-map.d.ts","./node_modules/@mantine/hooks/lib/use-set/use-set.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-callback/use-throttled-callback.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-state/use-throttled-state.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-value/use-throttled-value.d.ts","./node_modules/@mantine/hooks/lib/use-is-first-render/use-is-first-render.d.ts","./node_modules/@mantine/hooks/lib/use-orientation/use-orientation.d.ts","./node_modules/@mantine/hooks/lib/use-fetch/use-fetch.d.ts","./node_modules/@mantine/hooks/lib/use-radial-move/use-radial-move.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-spy/use-scroll-spy.d.ts","./node_modules/@mantine/hooks/lib/index.d.mts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-computed-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/colorschemescript.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/default-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/merge-mantine-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/css-variables-object-to-string.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/convert-css-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine.context.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/mantinecssvariables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/default-css-variables-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/get-css-color-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/virtual-color/virtual-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantineprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/mantinethemeprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-props/use-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/create-theme/create-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-theme-overrides/merge-theme-overrides.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-matches/use-matches.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine-html-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/index.d.ts","./node_modules/@mantine/core/lib/core/utils/get-breakpoint-value/get-breakpoint-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-sorted-breakpoints/get-sorted-breakpoints.d.ts","./node_modules/@mantine/core/lib/core/utils/get-base-value/get-base-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-context-item-index/get-context-item-index.d.ts","./node_modules/@mantine/core/lib/core/utils/use-hovered/use-hovered.d.ts","./node_modules/@mantine/core/lib/core/utils/create-use-external-events/create-use-external-events.d.ts","./node_modules/@mantine/core/lib/core/utils/get-env/get-env.d.ts","./node_modules/@mantine/core/lib/core/utils/memoize/memoize.d.ts","./node_modules/@mantine/core/lib/core/utils/find-closest-number/find-closest-number.d.ts","./node_modules/@mantine/core/lib/core/utils/get-ref-prop/get-ref-prop.d.ts","./node_modules/@mantine/core/lib/core/utils/index.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/directionprovider.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/index.d.ts","./node_modules/@mantine/core/lib/core/index.d.ts","./node_modules/@mantine/core/lib/components/collapse/collapse.d.ts","./node_modules/@mantine/core/lib/components/collapse/index.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/scrollarea.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/index.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/unstyledbutton.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/index.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/visuallyhidden.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/index.d.ts","./node_modules/@mantine/core/lib/components/paper/paper.d.ts","./node_modules/@mantine/core/lib/components/paper/index.d.ts","./node_modules/@mantine/core/lib/components/floating/use-delayed-hover.d.ts","./node_modules/@mantine/core/lib/components/floating/types.d.ts","./node_modules/@mantine/core/lib/components/floating/use-floating-auto-update.d.ts","./node_modules/@mantine/core/lib/components/floating/get-floating-position/get-floating-position.d.ts","./node_modules/@mantine/core/lib/components/floating/floatingarrow/floatingarrow.d.ts","./node_modules/@mantine/core/lib/components/floating/index.d.ts","./node_modules/@mantine/core/lib/components/overlay/overlay.d.ts","./node_modules/@mantine/core/lib/components/overlay/index.d.ts","./node_modules/@mantine/core/lib/components/portal/portal.d.ts","./node_modules/@mantine/core/lib/components/portal/optionalportal.d.ts","./node_modules/@mantine/core/lib/components/portal/index.d.ts","./node_modules/@mantine/core/lib/components/transition/transitions.d.ts","./node_modules/@mantine/core/lib/components/transition/transition.d.ts","./node_modules/@mantine/core/lib/components/transition/get-transition-props/get-transition-props.d.ts","./node_modules/@mantine/core/lib/components/transition/index.d.ts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.d.mts","./node_modules/@floating-ui/core/dist/floating-ui.core.d.mts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.dom.d.mts","./node_modules/@floating-ui/dom/dist/floating-ui.dom.d.mts","./node_modules/@floating-ui/react-dom/dist/floating-ui.react-dom.d.mts","./node_modules/@floating-ui/react/dist/floating-ui.react.d.mts","./node_modules/@mantine/core/lib/components/popover/popover.types.d.ts","./node_modules/@mantine/core/lib/components/popover/popovertarget/popovertarget.d.ts","./node_modules/@mantine/core/lib/components/popover/popoverdropdown/popoverdropdown.d.ts","./node_modules/@mantine/core/lib/components/popover/popover.d.ts","./node_modules/@mantine/core/lib/components/popover/index.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.types.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.d.ts","./node_modules/@mantine/core/lib/components/loader/index.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroup/actionicongroup.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroupsection/actionicongroupsection.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicon.d.ts","./node_modules/@mantine/core/lib/components/actionicon/index.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closeicon.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closebutton.d.ts","./node_modules/@mantine/core/lib/components/closebutton/index.d.ts","./node_modules/@mantine/core/lib/components/group/group.d.ts","./node_modules/@mantine/core/lib/components/group/index.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbase.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasebody.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasecontent.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseheader.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseoverlay.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasetitle.d.ts","./node_modules/@mantine/core/lib/components/modalbase/nativescrollarea.d.ts","./node_modules/@mantine/core/lib/components/modalbase/index.d.ts","./node_modules/@mantine/core/lib/components/input/inputclearbutton/inputclearbutton.d.ts","./node_modules/@mantine/core/lib/components/input/inputdescription/inputdescription.d.ts","./node_modules/@mantine/core/lib/components/input/inputerror/inputerror.d.ts","./node_modules/@mantine/core/lib/components/input/inputlabel/inputlabel.d.ts","./node_modules/@mantine/core/lib/components/input/inputplaceholder/inputplaceholder.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper/inputwrapper.d.ts","./node_modules/@mantine/core/lib/components/input/input.d.ts","./node_modules/@mantine/core/lib/components/input/use-input-props.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper.context.d.ts","./node_modules/@mantine/core/lib/components/input/index.d.ts","./node_modules/@mantine/core/lib/components/inputbase/inputbase.d.ts","./node_modules/@mantine/core/lib/components/inputbase/index.d.ts","./node_modules/@mantine/core/lib/components/flex/flex-props.d.ts","./node_modules/@mantine/core/lib/components/flex/flex.d.ts","./node_modules/@mantine/core/lib/components/flex/index.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/floatingindicator.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/index.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.types.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionchevron.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionitem/accordionitem.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionpanel/accordionpanel.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordioncontrol/accordioncontrol.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.d.ts","./node_modules/@mantine/core/lib/components/accordion/index.d.ts","./node_modules/@mantine/core/lib/components/affix/affix.d.ts","./node_modules/@mantine/core/lib/components/affix/index.d.ts","./node_modules/@mantine/core/lib/components/alert/alert.d.ts","./node_modules/@mantine/core/lib/components/alert/index.d.ts","./node_modules/@mantine/core/lib/components/text/text.d.ts","./node_modules/@mantine/core/lib/components/text/index.d.ts","./node_modules/@mantine/core/lib/components/anchor/anchor.d.ts","./node_modules/@mantine/core/lib/components/anchor/index.d.ts","./node_modules/@mantine/core/lib/components/angleslider/angleslider.d.ts","./node_modules/@mantine/core/lib/components/angleslider/index.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.types.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellaside/appshellaside.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellfooter/appshellfooter.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellheader/appshellheader.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellmain/appshellmain.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellnavbar/appshellnavbar.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellsection/appshellsection.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.d.ts","./node_modules/@mantine/core/lib/components/appshell/index.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/aspectratio.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/index.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxchevron/comboboxchevron.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxclearbutton/comboboxclearbutton.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdown/comboboxdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdowntarget/comboboxdropdowntarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxempty/comboboxempty.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxeventstarget/comboboxeventstarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxfooter/comboboxfooter.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxgroup/comboboxgroup.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxheader/comboboxheader.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxhiddeninput/comboboxhiddeninput.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoption/comboboxoption.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoptions/comboboxoptions.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxsearch/comboboxsearch.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxtarget/comboboxtarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/default-options-filter.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/optionsdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.types.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-parsed-combobox-data/get-parsed-combobox-data.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-options-lockup/get-options-lockup.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-virtualized-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox-target-props/use-combobox-target-props.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/is-options-group.d.ts","./node_modules/@mantine/core/lib/components/combobox/index.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/autocomplete.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/index.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatargroup/avatargroup.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatar.d.ts","./node_modules/@mantine/core/lib/components/avatar/index.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/backgroundimage.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/index.d.ts","./node_modules/@mantine/core/lib/components/badge/badge.d.ts","./node_modules/@mantine/core/lib/components/badge/index.d.ts","./node_modules/@mantine/core/lib/components/blockquote/blockquote.d.ts","./node_modules/@mantine/core/lib/components/blockquote/index.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/breadcrumbs.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/index.d.ts","./node_modules/@mantine/core/lib/components/burger/burger.d.ts","./node_modules/@mantine/core/lib/components/burger/index.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroup/buttongroup.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroupsection/buttongroupsection.d.ts","./node_modules/@mantine/core/lib/components/button/button.d.ts","./node_modules/@mantine/core/lib/components/button/index.d.ts","./node_modules/@mantine/core/lib/components/card/cardsection/cardsection.d.ts","./node_modules/@mantine/core/lib/components/card/card.d.ts","./node_modules/@mantine/core/lib/components/card/index.d.ts","./node_modules/@mantine/core/lib/components/center/center.d.ts","./node_modules/@mantine/core/lib/components/center/index.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/inlineinput.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/index.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup/checkboxgroup.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxindicator/checkboxindicator.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkbox.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkicon.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/index.d.ts","./node_modules/@mantine/core/lib/components/chip/chipgroup/chipgroup.d.ts","./node_modules/@mantine/core/lib/components/chip/chip.d.ts","./node_modules/@mantine/core/lib/components/chip/index.d.ts","./node_modules/@mantine/core/lib/components/code/code.d.ts","./node_modules/@mantine/core/lib/components/code/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.types.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorslider/colorslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/alphaslider/alphaslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/hueslider/hueslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/converters.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/parsers.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/index.d.ts","./node_modules/@mantine/core/lib/components/colorinput/colorinput.d.ts","./node_modules/@mantine/core/lib/components/colorinput/index.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/colorswatch.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/index.d.ts","./node_modules/@mantine/core/lib/components/container/container.d.ts","./node_modules/@mantine/core/lib/components/container/index.d.ts","./node_modules/@mantine/core/lib/components/copybutton/copybutton.d.ts","./node_modules/@mantine/core/lib/components/copybutton/index.d.ts","./node_modules/@mantine/core/lib/components/dialog/dialog.d.ts","./node_modules/@mantine/core/lib/components/dialog/index.d.ts","./node_modules/@mantine/core/lib/components/divider/divider.d.ts","./node_modules/@mantine/core/lib/components/divider/index.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerbody.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerclosebutton.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawercontent.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerheader.d.ts","./node_modules/@mantine/core/lib/components/drawer/draweroverlay.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.context.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerroot.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerstack.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawertitle.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.d.ts","./node_modules/@mantine/core/lib/components/drawer/index.d.ts","./node_modules/@mantine/core/lib/components/fieldset/fieldset.d.ts","./node_modules/@mantine/core/lib/components/fieldset/index.d.ts","./node_modules/@mantine/core/lib/components/filebutton/filebutton.d.ts","./node_modules/@mantine/core/lib/components/filebutton/index.d.ts","./node_modules/@mantine/core/lib/components/fileinput/fileinput.d.ts","./node_modules/@mantine/core/lib/components/fileinput/index.d.ts","./node_modules/@mantine/core/lib/components/focustrap/focustrap.d.ts","./node_modules/@mantine/core/lib/components/focustrap/index.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.context.d.ts","./node_modules/@mantine/core/lib/components/grid/gridcol/gridcol.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.d.ts","./node_modules/@mantine/core/lib/components/grid/index.d.ts","./node_modules/@mantine/core/lib/components/highlight/highlight.d.ts","./node_modules/@mantine/core/lib/components/highlight/index.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercarddropdown/hovercarddropdown.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercardtarget/hovercardtarget.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercard.d.ts","./node_modules/@mantine/core/lib/components/hovercard/index.d.ts","./node_modules/@mantine/core/lib/components/image/image.d.ts","./node_modules/@mantine/core/lib/components/image/index.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.types.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.d.ts","./node_modules/@mantine/core/lib/components/indicator/index.d.ts","./node_modules/@mantine/core/lib/components/textarea/textarea.d.ts","./node_modules/@mantine/core/lib/components/textarea/index.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/jsoninput.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/index.d.ts","./node_modules/@mantine/core/lib/components/kbd/kbd.d.ts","./node_modules/@mantine/core/lib/components/kbd/index.d.ts","./node_modules/@mantine/core/lib/components/list/listitem/listitem.d.ts","./node_modules/@mantine/core/lib/components/list/list.d.ts","./node_modules/@mantine/core/lib/components/list/index.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/loadingoverlay.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/index.d.ts","./node_modules/@mantine/core/lib/components/mark/mark.d.ts","./node_modules/@mantine/core/lib/components/mark/index.d.ts","./node_modules/@mantine/core/lib/components/menu/menuitem/menuitem.d.ts","./node_modules/@mantine/core/lib/components/menu/menulabel/menulabel.d.ts","./node_modules/@mantine/core/lib/components/menu/menudropdown/menudropdown.d.ts","./node_modules/@mantine/core/lib/components/menu/menutarget/menutarget.d.ts","./node_modules/@mantine/core/lib/components/menu/menudivider/menudivider.d.ts","./node_modules/@mantine/core/lib/components/menu/menu.d.ts","./node_modules/@mantine/core/lib/components/menu/index.d.ts","./node_modules/@mantine/core/lib/components/modal/modalbody.d.ts","./node_modules/@mantine/core/lib/components/modal/modalclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modal/modalcontent.d.ts","./node_modules/@mantine/core/lib/components/modal/modalheader.d.ts","./node_modules/@mantine/core/lib/components/modal/modaloverlay.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.context.d.ts","./node_modules/@mantine/core/lib/components/modal/modalroot.d.ts","./node_modules/@mantine/core/lib/components/modal/modalstack.d.ts","./node_modules/@mantine/core/lib/components/modal/modaltitle.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.d.ts","./node_modules/@mantine/core/lib/components/modal/use-modals-stack.d.ts","./node_modules/@mantine/core/lib/components/modal/index.d.ts","./node_modules/@mantine/core/lib/components/multiselect/multiselect.d.ts","./node_modules/@mantine/core/lib/components/multiselect/index.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/nativeselect.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/index.d.ts","./node_modules/@mantine/core/lib/components/navlink/navlink.d.ts","./node_modules/@mantine/core/lib/components/navlink/index.d.ts","./node_modules/@mantine/core/lib/components/notification/notification.d.ts","./node_modules/@mantine/core/lib/components/notification/index.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/numberformatter.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/index.d.ts","./node_modules/react-number-format/types/types.d.ts","./node_modules/react-number-format/types/number_format_base.d.ts","./node_modules/react-number-format/types/numeric_format.d.ts","./node_modules/react-number-format/types/pattern_format.d.ts","./node_modules/react-number-format/types/index.d.ts","./node_modules/@mantine/core/lib/components/numberinput/numberinput.d.ts","./node_modules/@mantine/core/lib/components/numberinput/index.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.icons.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationcontrol/paginationcontrol.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationdots/paginationdots.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationedges/paginationedges.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationitems/paginationitems.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationroot/paginationroot.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.d.ts","./node_modules/@mantine/core/lib/components/pagination/index.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/passwordinput.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/index.d.ts","./node_modules/@mantine/core/lib/components/pill/pillgroup/pillgroup.d.ts","./node_modules/@mantine/core/lib/components/pill/pill.d.ts","./node_modules/@mantine/core/lib/components/pill/index.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinputfield/pillsinputfield.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinput.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/index.d.ts","./node_modules/@mantine/core/lib/components/pininput/pininput.d.ts","./node_modules/@mantine/core/lib/components/pininput/index.d.ts","./node_modules/@mantine/core/lib/components/progress/progresslabel/progresslabel.d.ts","./node_modules/@mantine/core/lib/components/progress/progressroot/progressroot.d.ts","./node_modules/@mantine/core/lib/components/progress/progresssection/progresssection.d.ts","./node_modules/@mantine/core/lib/components/progress/progress.d.ts","./node_modules/@mantine/core/lib/components/progress/index.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.d.ts","./node_modules/@mantine/core/lib/components/radio/radiogroup/radiogroup.d.ts","./node_modules/@mantine/core/lib/components/radio/radioicon.d.ts","./node_modules/@mantine/core/lib/components/radio/radioindicator/radioindicator.d.ts","./node_modules/@mantine/core/lib/components/radio/radio.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.context.d.ts","./node_modules/@mantine/core/lib/components/radio/index.d.ts","./node_modules/@mantine/core/lib/components/rating/rating.d.ts","./node_modules/@mantine/core/lib/components/rating/index.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/ringprogress.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/index.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/segmentedcontrol.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/index.d.ts","./node_modules/@mantine/core/lib/components/select/select.d.ts","./node_modules/@mantine/core/lib/components/select/index.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/semicircleprogress.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/index.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/simplegrid.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/index.d.ts","./node_modules/@mantine/core/lib/components/skeleton/skeleton.d.ts","./node_modules/@mantine/core/lib/components/skeleton/index.d.ts","./node_modules/@mantine/core/lib/components/slider/slider.context.d.ts","./node_modules/@mantine/core/lib/components/slider/slider/slider.d.ts","./node_modules/@mantine/core/lib/components/slider/rangeslider/rangeslider.d.ts","./node_modules/@mantine/core/lib/components/slider/index.d.ts","./node_modules/@mantine/core/lib/components/space/space.d.ts","./node_modules/@mantine/core/lib/components/space/index.d.ts","./node_modules/@mantine/core/lib/components/spoiler/spoiler.d.ts","./node_modules/@mantine/core/lib/components/spoiler/index.d.ts","./node_modules/@mantine/core/lib/components/stack/stack.d.ts","./node_modules/@mantine/core/lib/components/stack/index.d.ts","./node_modules/@mantine/core/lib/components/stepper/steppercompleted/steppercompleted.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepperstep/stepperstep.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepper.d.ts","./node_modules/@mantine/core/lib/components/stepper/index.d.ts","./node_modules/@mantine/core/lib/components/switch/switchgroup/switchgroup.d.ts","./node_modules/@mantine/core/lib/components/switch/switch.d.ts","./node_modules/@mantine/core/lib/components/switch/index.d.ts","./node_modules/@mantine/core/lib/components/table/table.components.d.ts","./node_modules/@mantine/core/lib/components/table/tabledatarenderer.d.ts","./node_modules/@mantine/core/lib/components/table/tablescrollcontainer.d.ts","./node_modules/@mantine/core/lib/components/table/table.d.ts","./node_modules/@mantine/core/lib/components/table/index.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/tableofcontents.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/index.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabslist/tabslist.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabspanel/tabspanel.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabstab/tabstab.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabs.d.ts","./node_modules/@mantine/core/lib/components/tabs/index.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/tagsinput.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/index.d.ts","./node_modules/@mantine/core/lib/components/textinput/textinput.d.ts","./node_modules/@mantine/core/lib/components/textinput/index.d.ts","./node_modules/@mantine/core/lib/components/themeicon/themeicon.d.ts","./node_modules/@mantine/core/lib/components/themeicon/index.d.ts","./node_modules/@mantine/core/lib/components/timeline/timelineitem/timelineitem.d.ts","./node_modules/@mantine/core/lib/components/timeline/timeline.d.ts","./node_modules/@mantine/core/lib/components/timeline/index.d.ts","./node_modules/@mantine/core/lib/components/title/title.d.ts","./node_modules/@mantine/core/lib/components/title/index.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.types.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipfloating/tooltipfloating.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipgroup/tooltipgroup.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.d.ts","./node_modules/@mantine/core/lib/components/tooltip/index.d.ts","./node_modules/@mantine/core/lib/components/tree/get-all-checked-nodes/get-all-checked-nodes.d.ts","./node_modules/@mantine/core/lib/components/tree/use-tree.d.ts","./node_modules/@mantine/core/lib/components/tree/tree.d.ts","./node_modules/@mantine/core/lib/components/tree/index.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/typographystylesprovider.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/index.d.ts","./node_modules/@mantine/core/lib/components/index.d.ts","./node_modules/@mantine/core/lib/index.d.mts","./src/lib/theme.ts","./src/context/jobs/filter-context.tsx","./src/lib/utils.ts","./src/types/api.ts","./src/app/error.tsx","./src/components/layout/logo.tsx","./src/components/layout/nav-bar.tsx","./src/app/layout.tsx","./src/app/loading.tsx","./src/app/page.tsx","./src/app/jobs/error.tsx","./src/context/jobs/filter-provider.tsx","./src/app/jobs/layout.tsx","./src/app/jobs/loading.tsx","./node_modules/@tabler/icons-react/dist/esm/tabler-icons-react.d.ts","./src/components/jobs/search/search-bar.tsx","./src/components/jobs/filters/dropdown-sort.tsx","./src/components/jobs/filters/filter-section.tsx","./src/components/jobs/details/job-card.tsx","./src/components/jobs/details/job-list.tsx","./node_modules/@types/trusted-types/lib/index.d.ts","./node_modules/@types/trusted-types/index.d.ts","./node_modules/dompurify/dist/purify.es.d.mts","./node_modules/isomorphic-dompurify/index.d.ts","./src/components/jobs/details/job-details.tsx","./src/app/jobs/page.tsx","./src/app/jobs/[id]/page.tsx","./src/app/jobs/[id]/@modal/default.tsx","./src/components/jobs/filters/dropdown-filter.tsx","./.next/types/cache-life.d.ts","./.next/types/app/page.ts","./.next/types/app/jobs/layout.ts","./.next/types/app/jobs/page.ts","./.next/types/app/jobs/[id]/page.ts","./node_modules/@types/estree/index.d.ts","./node_modules/@types/json-schema/index.d.ts","./node_modules/@types/json5/index.d.ts","./node_modules/@types/webidl-conversions/index.d.ts","./node_modules/@types/whatwg-url/index.d.ts"],"fileIdsList":[[95,137,320,1251],[95,137,320,1237],[95,137,320,1250],[95,137,320,1234],[95,137,411,412,413,414],[95,137,459,460],[95,137,459],[95,137,883],[95,137,884,885],[81,95,137,886],[81,95,137,887],[95,137],[95,137,303,857,932,933,934,935,936],[95,137,303],[95,137,857],[95,137,932,933,934,935,936,937],[81,95,137,711,713,857,896,897,898],[95,137,857,899],[95,137,897,898,899],[95,137,857,878],[95,137,939],[95,137,941],[81,95,137,711,713,857,944],[95,137,945],[95,137,947],[95,137,857,949,950,951,952,953,954,955],[81,95,137,711,713,857],[95,137,949,950,951,952,953,954,955,956],[95,137,958],[95,137,857,861,924,984],[95,137,985],[81,95,137,711,713,857,987],[95,137,987,988],[95,137,990],[95,137,992],[95,137,994],[95,137,996],[95,137,998],[81,95,137,711,713,857,896,1000,1001],[95,137,857,1002],[95,137,1000,1001,1002],[81,95,137,711,713,857,1004],[95,137,1004,1005],[95,137,1007],[95,137,857,1010,1011,1012,1013],[81,95,137,857],[95,137,857,924],[95,137,1011,1012,1013,1014,1015,1016,1017],[95,137,857,1019],[95,137,1019,1020],[81,95,137],[95,137,901,902],[95,137,1022],[95,137,858],[95,137,857,893,924,1032],[95,137,1033],[81,95,137,1026],[95,137,857,1024],[95,137,1024],[95,137,1029,1030],[95,137,1025,1027,1028,1031],[95,137,1035],[81,95,137,303,857,893,960,961,962,963,964,965,966,967,968,969,970,971,972,973,974],[95,137,975,977],[81,95,137,857,924],[95,137,857,893],[95,137,857,921],[95,137,978],[95,137,960,961,962,963,964,965,966,967,968,969,970,971,972,973,974,975,976,977,978,979,980,981,982,983],[95,137,303,860,976,978],[95,137,974],[95,137,1037],[95,137,1039],[95,137,857,867,882,940],[95,137,1041],[95,137,1043],[95,137,303,857,1051],[95,137,857,914,1045,1046,1047,1048,1049,1051,1052,1053],[95,137,857,914],[95,137,857,914,1050],[95,137,1045,1046,1047,1048,1049,1051,1052,1053,1054],[95,137,1056],[95,137,1058],[95,137,1060],[95,137,927,928],[81,95,137,869],[95,137,869],[95,137,868,869,870,871,872],[95,137,930],[95,137,1062],[95,137,303,857,1066],[95,137,857,1064,1065],[95,137,1065,1066],[95,137,904],[95,137,1068],[81,95,137,303,711,857,892,893,1070,1071],[95,137,303,893],[81,95,137,893],[95,137,1070,1071,1072],[95,137,1074],[95,137,859,861,863,865,867,873,875,878,882,893,896,900,903,905,914,924,926,929,931,938,940,942,944,946,948,957,959,984,986,989,991,993,995,997,999,1003,1006,1008,1018,1021,1023,1032,1034,1036,1038,1040,1042,1044,1055,1057,1059,1061,1063,1067,1069,1073,1075,1078,1080,1082,1084,1087,1089,1091,1098,1110,1112,1114,1116,1118,1120,1127,1135,1137,1140,1143,1145,1150,1157,1159,1161,1163,1165,1167,1169,1171,1175,1177,1179,1181,1185,1188,1193,1195,1200,1202,1204,1206,1209,1211,1216,1220,1222],[95,137,1077],[95,137,857,1076],[95,137,1009],[95,137,915,916,917,918,919,920,921,922,923],[81,95,137,711,713,857,915,916,917,918,919,920],[95,137,857,903],[95,137,303,857,920],[95,137,857,916,917,918],[81,95,137,857,921],[95,137,925],[81,95,137,711,713,857,924],[95,137,1081],[95,137,857,924,1080],[95,137,1083],[95,137,1085,1086],[95,137,857,1085],[95,137,894,895],[95,137,857,894],[95,137,1088],[95,137,857,875,882,896],[95,137,1090],[95,137,1092,1093,1094,1095,1096,1097],[81,95,137,303,711,713,857,893,1092,1093,1094,1095,1096],[95,137,1099,1100,1101,1102,1103,1105,1106,1107,1108,1109],[95,137,303,857,1105],[95,137,857,914,1099,1100,1101,1102,1103,1105,1106,1107],[95,137,857,914,1104],[95,137,906,907,908,909,910,911,912,913],[81,95,137,499,857,878,882],[81,95,137,857,903],[81,95,137,857,882],[81,95,137,857,875,882],[95,137,1111],[95,137,1113],[95,137,857,924,984],[95,137,1115],[95,137,1117],[95,137,1119],[95,137,303,857],[95,137,1126],[81,95,137,857,924,1125],[95,137,874],[95,137,1129,1130,1131,1132,1133,1134],[95,137,857,1128,1129,1130,1131,1132,1133],[95,137,857,1128],[81,95,137,857,1128],[95,137,303,1128],[95,137,866],[95,137,1136],[95,137,1138,1139],[95,137,857,1138],[95,137,1141,1142],[95,137,857,924,1141],[95,137,1144],[95,137,889,890,891,892],[95,137,303,711,857,873,875,878,882,889,890,891],[95,137,888],[95,137,857,892],[95,137,876,877],[95,137,303,876],[95,137,1146,1147,1148,1149],[95,137,857,1146,1147,1148],[95,137,1151,1152,1153,1154,1155,1156],[95,137,857,1010,1151,1152,1153,1154],[95,137,857,1153],[95,137,1158],[95,137,1160],[95,137,860],[95,137,1162],[95,137,1164],[95,137,1166],[95,137,1168],[95,137,1170],[95,137,1172,1173,1174],[95,137,857,882,1172],[95,137,1176],[95,137,1178],[95,137,1180],[95,137,1182,1183,1184],[95,137,857,1182,1183],[95,137,857,1184],[95,137,1186,1187],[95,137,857,1010,1186],[95,137,1189,1191,1192],[95,137,857,1192],[95,137,857,1189,1190,1191],[95,137,303,1192],[95,137,1194],[95,137,818,857,863],[95,137,1196,1197,1198,1199],[95,137,857,1196,1197,1198],[95,137,857,863],[95,137,1201],[95,137,943],[95,137,1079],[95,137,1203],[95,137,1205],[95,137,1207,1208],[95,137,857,1207],[95,137,1210],[95,137,1212,1213,1214,1215],[95,137,857,873,882,1212,1213,1214],[95,137,857,873,878,888,1215],[95,137,857,1212],[95,137,677,880],[95,137,879,880,881],[95,137,303,879],[95,137,1219],[95,137,1217,1218,1219],[95,137,857,1218],[95,137,1217,1219],[95,137,1221],[95,137,862],[95,137,864],[81,95,137,679,697,715,843],[95,137,843],[95,137,679,843],[95,137,679,697,698,699,716],[95,137,680],[95,137,680,681,691,696],[95,137,680,691,695,843],[95,137,694,696],[95,137,682,683,684,685,686,687,688,689],[95,137,680,690],[81,95,137,303],[95,137,855],[95,137,711,713],[95,137,710,843],[95,137,711,712,713,714],[81,95,137,711,712],[95,137,694,710,715,717,843,854,856],[95,137,692,693],[95,137,303,692],[95,137,731],[95,137,678,718,719,720,721,722,723,724,725,726,727,728,729],[95,137,717,731],[95,137,732,733,734],[95,137,732],[95,137,303,731],[95,137,821],[95,137,826],[95,137,717],[95,137,827],[95,137,730,731,735,820,822,823,825,828,829,831,834,835,837,838,839,840,841,842],[81,95,137,731,828],[95,137,731,828],[95,137,830,831,832,833],[95,137,303,731,735,829,834],[95,137,836],[81,95,137,303,731],[95,137,824],[95,137,677,730],[95,137,736,737,819],[95,137,818],[95,137,731,735],[95,137,731,818],[95,137,715,717,843],[95,137,700,701,703,706,707,708,709],[95,137,700,715,717,843],[95,137,701,715],[95,137,701,843],[95,137,702,843],[81,95,137,701,704,717,843],[95,137,705,843],[81,95,137,717,843],[81,95,137,700,701,715,717],[95,137,844],[95,137,500,501,502,505,506,507,508,509,510,511,512,513,514,515,516,517,518,844,845,846,847,848,849,850,851,852,853],[95,137,503,504],[95,137,499,857,1223],[95,137,744,745,746,747,748,749,750,751,752,753,754,755,756,757,758,759,760,761,762,763,764,766,767,768,769,770,771,772,773,774,775,776,777,778,779,780,781,782,783,784,786,787,788,789,790,791,792,793,794,795,796,797,798,799,800,801,802,803,804,805,806,807,808,809,810,811,812,813,814,815,816,817],[95,137,749],[95,137,785],[95,137,765],[95,137,738,739,740,741,742,743],[95,134,137],[95,136,137],[137],[95,137,142,171],[95,137,138,143,149,150,157,168,179],[95,137,138,139,149,157],[90,91,92,95,137],[95,137,140,180],[95,137,141,142,150,158],[95,137,142,168,176],[95,137,143,145,149,157],[95,136,137,144],[95,137,145,146],[95,137,149],[95,137,147,149],[95,136,137,149],[95,137,149,150,151,168,179],[95,137,149,150,151,164,168,171],[95,132,137,184],[95,137,145,149,152,157,168,179],[95,137,149,150,152,153,157,168,176,179],[95,137,152,154,168,176,179],[93,94,95,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,149,155],[95,137,156,179,184],[95,137,145,149,157,168],[95,137,158],[95,137,159],[95,136,137,160],[95,134,135,136,137,138,139,140,141,142,143,144,145,146,147,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,162],[95,137,163],[95,137,149,164,165],[95,137,164,166,180,182],[95,137,149,168,169,170,171],[95,137,168,170],[95,137,168,169],[95,137,171],[95,137,172],[95,134,137,168],[95,137,149,174,175],[95,137,174,175],[95,137,142,157,168,176],[95,137,177],[95,137,157,178],[95,137,152,163,179],[95,137,142,180],[95,137,168,181],[95,137,156,182],[95,137,183],[95,137,142,149,151,160,168,179,182,184],[95,137,168,185],[81,95,137,189,191],[81,85,95,137,187,188,189,190,405,452],[81,85,95,137,188,191,405,452],[81,85,95,137,187,191,405,452],[79,80,95,137],[95,137,1245],[95,137,1246],[95,137,1247],[95,137,145,149,157,168,176,488],[87,95,137],[95,137,409],[95,137,416],[95,137,195,208,209,210,212,369],[95,137,195,199,201,202,203,204,358,369,371],[95,137,369],[95,137,209,225,302,349,365],[95,137,195],[95,137,389],[95,137,369,371,388],[95,137,288,302,330,457],[95,137,295,312,349,364],[95,137,250],[95,137,353],[95,137,352,353,354],[95,137,352],[89,95,137,152,192,195,202,205,206,207,209,213,281,286,332,340,350,360,369,405],[95,137,195,211,239,284,369,385,386,457],[95,137,211,457],[95,137,284,285,286,369,457],[95,137,457],[95,137,195,211,212,457],[95,137,205,351,357],[95,137,163,303,365],[95,137,303,365],[81,95,137,282,303,304],[95,137,230,248,365,441],[95,137,346,436,437,438,439,440],[95,137,345],[95,137,345,346],[95,137,203,227,228,282],[95,137,229,230,282],[95,137,282],[81,95,137,196,430],[81,95,137,179],[81,95,137,211,237],[81,95,137,211],[95,137,235,240],[81,95,137,236,408],[81,85,95,137,152,186,187,188,191,405,450,451],[95,137,150,152,199,225,253,271,282,355,369,370,457],[95,137,340,356],[95,137,405],[95,137,194],[95,137,163,288,300,321,323,364,365],[95,137,163,288,300,320,321,322,364,365],[95,137,314,315,316,317,318,319],[95,137,316],[95,137,320],[81,95,137,236,303,408],[81,95,137,303,406,408],[81,95,137,303,408],[95,137,271,361],[95,137,361],[95,137,152,370,408],[95,137,308],[95,136,137,307],[95,137,221,222,224,254,282,295,296,297,299,332,364,367,370],[95,137,298],[95,137,222,230,282],[95,137,295,364],[95,137,295,304,305,306,308,309,310,311,312,313,324,325,326,327,328,329,364,365,457],[95,137,293],[95,137,152,163,199,220,222,224,225,226,230,258,271,280,281,332,360,369,370,371,405,457],[95,137,364],[95,136,137,209,224,281,297,312,360,362,363,370],[95,137,295],[95,136,137,220,254,274,289,290,291,292,293,294],[95,137,152,274,275,289,370,371],[95,137,209,271,281,282,297,360,364,370],[95,137,152,369,371],[95,137,152,168,367,370,371],[95,137,152,163,179,192,199,211,221,222,224,225,226,231,253,254,255,257,258,261,262,264,267,268,269,270,282,359,360,365,367,369,370,371],[95,137,152,168],[95,137,195,196,197,199,206,367,368,405,408,457],[95,137,152,168,179,215,387,389,390,391,457],[95,137,163,179,192,215,225,254,255,262,271,279,282,360,365,367,372,373,379,385,401,402],[95,137,205,206,281,340,351,360,369],[95,137,152,179,196,254,367,369,377],[95,137,287],[95,137,152,398,399,400],[95,137,367,369],[95,137,199,224,254,359,408],[95,137,152,163,262,271,367,373,379,381,385,401,404],[95,137,152,205,340,385,394],[95,137,195,231,359,369,396],[95,137,152,211,231,369,380,381,392,393,395,397],[89,95,137,222,223,224,405,408],[95,137,152,163,179,199,205,213,221,225,226,254,255,257,258,270,271,279,282,340,359,360,365,366,367,372,373,374,376,378,408],[95,137,152,168,205,367,379,398,403],[95,137,335,336,337,338,339],[95,137,261,263],[95,137,265],[95,137,263],[95,137,265,266],[95,137,152,199,220,370],[81,95,137,152,163,194,196,199,221,222,224,225,226,252,367,371,405,408],[95,137,152,163,179,198,203,254,366,370],[95,137,289],[95,137,290],[95,137,291],[95,137,214,218],[95,137,152,199,214,221],[95,137,217,218],[95,137,219],[95,137,214,215],[95,137,214,232],[95,137,214],[95,137,260,261,366],[95,137,259],[95,137,215,365,366],[95,137,256,366],[95,137,215,365],[95,137,332],[95,137,216,221,223,254,282,288,297,300,301,331,367,370],[95,137,230,241,244,245,246,247,248],[95,137,348],[95,137,209,223,224,275,282,295,308,312,341,342,343,344,346,347,350,359,364,369],[95,137,230],[95,137,252],[95,137,152,221,223,233,249,251,253,367,405,408],[95,137,230,241,242,243,244,245,246,247,248,406],[95,137,215],[95,137,275,276,279,360],[95,137,152,261,369],[95,137,152],[95,137,274,295],[95,137,273],[95,137,270,275],[95,137,272,274,369],[95,137,152,198,275,276,277,278,369,370],[81,95,137,227,229,282],[95,137,283],[81,95,137,196],[81,95,137,365],[81,89,95,137,224,226,405,408],[95,137,196,430,431],[81,95,137,240],[81,95,137,163,179,194,234,236,238,239,408],[95,137,211,365,370],[95,137,365,375],[81,95,137,150,152,163,194,240,284,405,406,407],[81,95,137,187,188,191,405,452],[81,82,83,84,85,95,137],[95,137,142],[95,137,382,383,384],[95,137,382],[81,85,95,137,152,154,163,186,187,188,189,191,192,194,258,320,371,404,408,452],[95,137,418],[95,137,420],[95,137,422],[95,137,424],[95,137,426,427,428],[95,137,432],[86,88,95,137,410,415,417,419,421,423,425,429,433,435,443,444,446,455,456,457,458],[95,137,434],[95,137,442],[95,137,236],[95,137,445],[95,136,137,275,276,277,279,311,365,447,448,449,452,453,454],[95,137,186],[95,137,478],[95,137,476,478],[95,137,467,475,476,477,479],[95,137,465],[95,137,468,473,478,481],[95,137,464,481],[95,137,468,469,472,473,474,481],[95,137,468,469,470,472,473,481],[95,137,465,466,467,468,469,473,474,475,477,478,479,481],[95,137,481],[95,137,463,465,466,467,468,469,470,472,473,474,475,476,477,478,479,480],[95,137,463,481],[95,137,468,470,471,473,474,481],[95,137,472,481],[95,137,473,474,478,481],[95,137,466,476],[95,137,1121,1122,1123,1124],[81,95,137,1121],[95,137,1121],[95,137,497],[95,137,498],[95,137,168,186],[95,137,483,484],[95,137,482,485],[95,137,519,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541,544,545,546,547,548,549,550,551,552,553,554,562,563,564,565,567,568,570,571,572,573,574,575,576,577,578,579,580,581,582,583,584,585,586,587,588,589,590,591,592,593,594,595,596,597,598,599,600,601,602,603,604,605,606,607,608,609,610,611,612,613,614,615,616,617,618,619,620,621,622,623,624,625,626,627,628,629,630,631,632,633,634,635,636,637,638,639,640,641,642,643,644,645,646,647,648,649,650,651,652,653,654,655,656,657,658,659,660,661,662,663,664,665,666,667,668,669,670,671,672,673,674,675,676],[95,137,531],[95,137,531,547,550,552,553,561,579,583,612],[95,137,536,553,561,580],[95,137,561],[95,137,621],[95,137,651],[95,137,536,561,652],[95,137,652],[95,137,532,606],[95,137,541],[95,137,527,531,535,561,566,607],[95,137,606],[95,137,536,561,655],[95,137,655],[95,137,524],[95,137,538],[95,137,619],[95,137,519,524,531,561,588],[95,137,561,581,584,631,669],[95,137,552],[95,137,531,547,550,551,561],[95,137,599],[95,137,636],[95,137,529],[95,137,638],[95,137,544],[95,137,527],[95,137,540],[95,137,587],[95,137,588],[95,137,579,642],[95,137,561,580],[95,137,536,541],[95,137,542,543,555,556,557,558,559,560],[95,137,544,548,556],[95,137,536,540,556],[95,137,524,536,538,556,557,559],[95,137,543,547,549,555],[95,137,536,547,552,554],[95,137,519,540],[95,137,547],[95,137,545,547,561],[95,137,519,540,541,547,561],[95,137,536,541,644],[95,137,521],[95,137,520,521,527,536,540,544,547,561,588],[95,137,659],[95,137,657],[95,137,523],[95,137,553],[95,137,563,629],[95,137,519],[95,137,535,536,561,563,564,565,566,567,568,569,570],[95,137,538,563,564],[95,137,531,580],[95,137,530,533],[95,137,545,546],[95,137,531,536,540,561,570,581,583,584,585],[95,137,565],[95,137,521,584],[95,137,561,565,589],[95,137,652,661],[95,137,527,536,544,552,561,580],[95,137,523,536,538,540,561,581],[95,137,532],[95,137,561,573],[95,137,655,664,667],[95,137,524,532,538,561],[95,137,536,561,588],[95,137,536,544,561,570,578,581,600,601],[95,137,524,532,536,538,561,599],[95,137,536,540,561],[95,137,536,538,540,561],[95,137,561,566],[95,137,528,561],[95,137,529,538],[95,137,547,548],[95,137,561,611,613],[95,137,520,626],[95,137,531,547,550,551,554,561,579],[95,137,531,547,550,551,561,580],[95,137,523,540],[95,137,532,538],[95,104,108,137,179],[95,104,137,168,179],[95,99,137],[95,101,104,137,176,179],[95,137,157,176],[95,99,137,186],[95,101,104,137,157,179],[95,96,97,100,103,137,149,168,179],[95,104,111,137],[95,96,102,137],[95,104,125,126,137],[95,100,104,137,171,179,186],[95,125,137,186],[95,98,99,137,186],[95,104,137],[95,98,99,100,101,102,103,104,105,106,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,126,127,128,129,130,131,137],[95,104,119,137],[95,104,111,112,137],[95,102,104,112,113,137],[95,103,137],[95,96,99,104,137],[95,104,108,112,113,137],[95,108,137],[95,102,104,107,137,179],[95,96,101,104,111,137],[95,137,168],[95,99,104,125,137,184,186],[95,137,455,489],[95,137,491,1224,1249],[81,95,137,1236],[95,137,491,492,493,1224,1240,1242,1244,1249],[81,95,137,425,1224,1225,1231],[95,137,1224],[95,137,491,1224,1239,1248],[95,137,1243],[95,137,492,1224,1226],[95,137,1224,1226],[95,137,1224,1226,1241],[95,137,1224,1239],[95,137,435,1224,1230],[81,95,137,492],[81,95,137,443,1226,1227],[95,137,491,492],[95,137,491,494,495],[95,137,1226],[95,137,491],[95,137,486]],"fileInfos":[{"version":"e41c290ef7dd7dab3493e6cbe5909e0148edf4a8dad0271be08edec368a0f7b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"feecb1be483ed332fad555aff858affd90a48ab19ba7272ee084704eb7167569","impliedFormat":1},{"version":"ee7bad0c15b58988daa84371e0b89d313b762ab83cb5b31b8a2d1162e8eb41c2","impliedFormat":1},{"version":"27bdc30a0e32783366a5abeda841bc22757c1797de8681bbe81fbc735eeb1c10","impliedFormat":1},{"version":"8fd575e12870e9944c7e1d62e1f5a73fcf23dd8d3a321f2a2c74c20d022283fe","impliedFormat":1},{"version":"e12a46ce14b817d4c9e6b2b478956452330bf00c9801b79de46f7a1815b5bd40","impliedFormat":1},{"version":"4fd3f3422b2d2a3dfd5cdd0f387b3a8ec45f006c6ea896a4cb41264c2100bb2c","affectsGlobalScope":true,"impliedFormat":1},{"version":"69e65d976bf166ce4a9e6f6c18f94d2424bf116e90837ace179610dbccad9b42","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"62bb211266ee48b2d0edf0d8d1b191f0c24fc379a82bd4c1692a082c540bc6b1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"936e80ad36a2ee83fc3caf008e7c4c5afe45b3cf3d5c24408f039c1d47bdc1df","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"fef8cfad2e2dc5f5b3d97a6f4f2e92848eb1b88e897bb7318cef0e2820bceaab","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"f1e2a172204962276504466a6393426d2ca9c54894b1ad0a6c9dad867a65f876","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"af3dd424cf267428f30ccfc376f47a2c0114546b55c44d8c0f1d57d841e28d74","affectsGlobalScope":true,"impliedFormat":1},{"version":"995c005ab91a498455ea8dfb63aa9f83fa2ea793c3d8aa344be4a1678d06d399","affectsGlobalScope":true,"impliedFormat":1},{"version":"959d36cddf5e7d572a65045b876f2956c973a586da58e5d26cde519184fd9b8a","affectsGlobalScope":true,"impliedFormat":1},{"version":"965f36eae237dd74e6cca203a43e9ca801ce38824ead814728a2807b1910117d","affectsGlobalScope":true,"impliedFormat":1},{"version":"3925a6c820dcb1a06506c90b1577db1fdbf7705d65b62b99dce4be75c637e26b","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a3d63ef2b853447ec4f749d3f368ce642264246e02911fcb1590d8c161b8005","affectsGlobalScope":true,"impliedFormat":1},{"version":"b5ce7a470bc3628408429040c4e3a53a27755022a32fd05e2cb694e7015386c7","affectsGlobalScope":true,"impliedFormat":1},{"version":"8444af78980e3b20b49324f4a16ba35024fef3ee069a0eb67616ea6ca821c47a","affectsGlobalScope":true,"impliedFormat":1},{"version":"3287d9d085fbd618c3971944b65b4be57859f5415f495b33a6adc994edd2f004","affectsGlobalScope":true,"impliedFormat":1},{"version":"b4b67b1a91182421f5df999988c690f14d813b9850b40acd06ed44691f6727ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"bab26767638ab3557de12c900f0b91f710c7dc40ee9793d5a27d32c04f0bf646","affectsGlobalScope":true,"impliedFormat":1},{"version":"436aaf437562f276ec2ddbee2f2cdedac7664c1e4c1d2c36839ddd582eeb3d0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e3c06ea092138bf9fa5e874a1fdbc9d54805d074bee1de31b99a11e2fec239d","affectsGlobalScope":true,"impliedFormat":1},{"version":"87dc0f382502f5bbce5129bdc0aea21e19a3abbc19259e0b43ae038a9fc4e326","affectsGlobalScope":true,"impliedFormat":1},{"version":"b1cb28af0c891c8c96b2d6b7be76bd394fddcfdb4709a20ba05a7c1605eea0f9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2fef54945a13095fdb9b84f705f2b5994597640c46afeb2ce78352fab4cb3279","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac77cb3e8c6d3565793eb90a8373ee8033146315a3dbead3bde8db5eaf5e5ec6","affectsGlobalScope":true,"impliedFormat":1},{"version":"56e4ed5aab5f5920980066a9409bfaf53e6d21d3f8d020c17e4de584d29600ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ece9f17b3866cc077099c73f4983bddbcb1dc7ddb943227f1ec070f529dedd1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a6282c8827e4b9a95f4bf4f5c205673ada31b982f50572d27103df8ceb8013c","affectsGlobalScope":true,"impliedFormat":1},{"version":"1c9319a09485199c1f7b0498f2988d6d2249793ef67edda49d1e584746be9032","affectsGlobalScope":true,"impliedFormat":1},{"version":"e3a2a0cee0f03ffdde24d89660eba2685bfbdeae955a6c67e8c4c9fd28928eeb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811c71eee4aa0ac5f7adf713323a5c41b0cf6c4e17367a34fbce379e12bbf0a4","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"d4b1d2c51d058fc21ec2629fff7a76249dec2e36e12960ea056e3ef89174080f","affectsGlobalScope":true,"impliedFormat":1},{"version":"61d6a2092f48af66dbfb220e31eea8b10bc02b6932d6e529005fd2d7b3281290","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"36a2e4c9a67439aca5f91bb304611d5ae6e20d420503e96c230cf8fcdc948d94","affectsGlobalScope":true,"impliedFormat":1},{"version":"8a8eb4ebffd85e589a1cc7c178e291626c359543403d58c9cd22b81fab5b1fb9","impliedFormat":1},{"version":"da172a28c35d5f298bf5f0361725cc80f45e89e803a353c56e1aa347e10f572d","impliedFormat":1},{"version":"acd8fd5090ac73902278889c38336ff3f48af6ba03aa665eb34a75e7ba1dccc4","impliedFormat":1},{"version":"d6258883868fb2680d2ca96bc8b1352cab69874581493e6d52680c5ffecdb6cc","impliedFormat":1},{"version":"1b61d259de5350f8b1e5db06290d31eaebebc6baafd5f79d314b5af9256d7153","impliedFormat":1},{"version":"f258e3960f324a956fc76a3d3d9e964fff2244ff5859dcc6ce5951e5413ca826","impliedFormat":1},{"version":"643f7232d07bf75e15bd8f658f664d6183a0efaca5eb84b48201c7671a266979","impliedFormat":1},{"version":"0f6666b58e9276ac3a38fdc80993d19208442d6027ab885580d93aec76b4ef00","impliedFormat":1},{"version":"05fd364b8ef02fb1e174fbac8b825bdb1e5a36a016997c8e421f5fab0a6da0a0","impliedFormat":1},{"version":"631eff75b0e35d1b1b31081d55209abc43e16b49426546ab5a9b40bdd40b1f60","impliedFormat":1},{"version":"70521b6ab0dcba37539e5303104f29b721bfb2940b2776da4cc818c07e1fefc1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ab41ef1f2cdafb8df48be20cd969d875602483859dc194e9c97c8a576892c052","affectsGlobalScope":true,"impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"21d819c173c0cf7cc3ce57c3276e77fd9a8a01d35a06ad87158781515c9a438a","impliedFormat":1},{"version":"a79e62f1e20467e11a904399b8b18b18c0c6eea6b50c1168bf215356d5bebfaf","affectsGlobalScope":true,"impliedFormat":1},{"version":"0fd06258805d26c72f5997e07a23155d322d5f05387adb3744a791fe6a0b042d","affectsGlobalScope":true,"impliedFormat":1},{"version":"5929864ce17fba74232584d90cb721a89b7ad277220627cc97054ba15a98ea8f","impliedFormat":1},{"version":"24bd580b5743dc56402c440dc7f9a4f5d592ad7a419f25414d37a7bfe11e342b","impliedFormat":1},{"version":"25c8056edf4314820382a5fdb4bb7816999acdcb929c8f75e3f39473b87e85bc","impliedFormat":1},{"version":"c464d66b20788266e5353b48dc4aa6bc0dc4a707276df1e7152ab0c9ae21fad8","impliedFormat":1},{"version":"78d0d27c130d35c60b5e5566c9f1e5be77caf39804636bc1a40133919a949f21","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"1d6e127068ea8e104a912e42fc0a110e2aa5a66a356a917a163e8cf9a65e4a75","impliedFormat":1},{"version":"5ded6427296cdf3b9542de4471d2aa8d3983671d4cac0f4bf9c637208d1ced43","impliedFormat":1},{"version":"6bdc71028db658243775263e93a7db2fd2abfce3ca569c3cca5aee6ed5eb186d","impliedFormat":1},{"version":"cadc8aced301244057c4e7e73fbcae534b0f5b12a37b150d80e5a45aa4bebcbd","impliedFormat":1},{"version":"385aab901643aa54e1c36f5ef3107913b10d1b5bb8cbcd933d4263b80a0d7f20","impliedFormat":1},{"version":"9670d44354bab9d9982eca21945686b5c24a3f893db73c0dae0fd74217a4c219","impliedFormat":1},{"version":"0b8a9268adaf4da35e7fa830c8981cfa22adbbe5b3f6f5ab91f6658899e657a7","impliedFormat":1},{"version":"11396ed8a44c02ab9798b7dca436009f866e8dae3c9c25e8c1fbc396880bf1bb","impliedFormat":1},{"version":"ba7bc87d01492633cb5a0e5da8a4a42a1c86270e7b3d2dea5d156828a84e4882","impliedFormat":1},{"version":"4893a895ea92c85345017a04ed427cbd6a1710453338df26881a6019432febdd","impliedFormat":1},{"version":"c21dc52e277bcfc75fac0436ccb75c204f9e1b3fa5e12729670910639f27343e","impliedFormat":1},{"version":"13f6f39e12b1518c6650bbb220c8985999020fe0f21d818e28f512b7771d00f9","impliedFormat":1},{"version":"9b5369969f6e7175740bf51223112ff209f94ba43ecd3bb09eefff9fd675624a","impliedFormat":1},{"version":"4fe9e626e7164748e8769bbf74b538e09607f07ed17c2f20af8d680ee49fc1da","impliedFormat":1},{"version":"24515859bc0b836719105bb6cc3d68255042a9f02a6022b3187948b204946bd2","impliedFormat":1},{"version":"ea0148f897b45a76544ae179784c95af1bd6721b8610af9ffa467a518a086a43","impliedFormat":1},{"version":"24c6a117721e606c9984335f71711877293a9651e44f59f3d21c1ea0856f9cc9","impliedFormat":1},{"version":"dd3273ead9fbde62a72949c97dbec2247ea08e0c6952e701a483d74ef92d6a17","impliedFormat":1},{"version":"405822be75ad3e4d162e07439bac80c6bcc6dbae1929e179cf467ec0b9ee4e2e","impliedFormat":1},{"version":"0db18c6e78ea846316c012478888f33c11ffadab9efd1cc8bcc12daded7a60b6","impliedFormat":1},{"version":"4d2b0eb911816f66abe4970898f97a2cfc902bcd743cbfa5017fad79f7ef90d8","impliedFormat":1},{"version":"bd0532fd6556073727d28da0edfd1736417a3f9f394877b6d5ef6ad88fba1d1a","impliedFormat":1},{"version":"89167d696a849fce5ca508032aabfe901c0868f833a8625d5a9c6e861ef935d2","impliedFormat":1},{"version":"e53a3c2a9f624d90f24bf4588aacd223e7bec1b9d0d479b68d2f4a9e6011147f","impliedFormat":1},{"version":"24b8685c62562f5d98615c5a0c1d05f297cf5065f15246edfe99e81ec4c0e011","impliedFormat":1},{"version":"93507c745e8f29090efb99399c3f77bec07db17acd75634249dc92f961573387","impliedFormat":1},{"version":"339dc5265ee5ed92e536a93a04c4ebbc2128f45eeec6ed29f379e0085283542c","impliedFormat":1},{"version":"4732aec92b20fb28c5fe9ad99521fb59974289ed1e45aecb282616202184064f","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"bf67d53d168abc1298888693338cb82854bdb2e69ef83f8a0092093c2d562107","impliedFormat":1},{"version":"ca6d304b929748ea15c33f28c1f159df18a94470b424ab78c52d68d40a41e1e9","affectsGlobalScope":true,"impliedFormat":1},{"version":"a72ffc815104fb5c075106ebca459b2d55d07862a773768fce89efc621b3964b","impliedFormat":1},{"version":"7394959e5a741b185456e1ef5d64599c36c60a323207450991e7a42e08911419","impliedFormat":1},{"version":"3d77c73be94570813f8cadd1f05ebc3dc5e2e4fdefe4d340ca20cd018724ee36","impliedFormat":1},{"version":"d674383111e06b6741c4ad2db962131b5b0fa4d0294b998566c635e86195a453","affectsGlobalScope":true,"impliedFormat":1},{"version":"f3e58c4c18a031cbb17abec7a4ad0bd5ae9fc70c1f4ba1e7fb921ad87c504aca","impliedFormat":1},{"version":"a3e8bafb2af8e850c644f4be7f5156cf7d23b7bfdc3b786bd4d10ed40329649c","impliedFormat":1},{"version":"35ec8b6760fd7138bbf5809b84551e31028fb2ba7b6dc91d95d098bf212ca8b4","affectsGlobalScope":true,"impliedFormat":1},{"version":"a40826e8476694e90da94aa008283a7de50d1dafd37beada623863f1901cb7fb","impliedFormat":1},{"version":"f77d9188e41291acf14f476e931972460a303e1952538f9546e7b370cb8d0d20","affectsGlobalScope":true,"impliedFormat":1},{"version":"b0c0d1d13be149f790a75b381b413490f98558649428bb916fd2d71a3f47a134","impliedFormat":1},{"version":"3c884d9d9ec454bdf0d5a0b8465bf8297d2caa4d853851d92cc417ac6f30b969","impliedFormat":1},{"version":"5a369483ac4cfbdf0331c248deeb36140e6907db5e1daed241546b4a2055f82c","impliedFormat":1},{"version":"e8f5b5cc36615c17d330eaf8eebbc0d6bdd942c25991f96ef122f246f4ff722f","impliedFormat":1},{"version":"f0bd7e6d931657b59605c44112eaf8b980ba7f957a5051ed21cb93d978cf2f45","impliedFormat":1},{"version":"ee1ee365d88c4c6c0c0a5a5701d66ebc27ccd0bcfcfaa482c6e2e7fe7b98edf7","affectsGlobalScope":true,"impliedFormat":1},{"version":"0ada07543808f3b967624645a8e1ccd446f8b01ade47842acf1328aec899fed0","affectsGlobalScope":true,"impliedFormat":1},{"version":"c4a806152acbef81593f96cae6f2b04784d776457d97adbe2694478b243fcf03","impliedFormat":1},{"version":"ad23fd126ff06e72728dd7bfc84326a8ca8cec2b9d2dac0193d42a777df0e7d8","impliedFormat":1},{"version":"c60db41f7bee80fb80c0b12819f5e465c8c8b465578da43e36d04f4a4646f57d","impliedFormat":1},{"version":"93bd413918fa921c8729cef45302b24d8b6c7855d72d5bf82d3972595ae8dcbf","impliedFormat":1},{"version":"4ff41188773cbf465807dd2f7059c7494cbee5115608efc297383832a1150c43","impliedFormat":1},{"version":"dccdf1677e531e33f8ac961a68bc537418c9a414797c1ea7e91307501cdc3f5e","impliedFormat":1},{"version":"1f4fc6905c4c3ae701838f89484f477b8d9b3ef39270e016b5488600d247d9a5","affectsGlobalScope":true,"impliedFormat":1},{"version":"d206b4baf4ddcc15d9d69a9a2f4999a72a2c6adeaa8af20fa7a9960816287555","impliedFormat":1},{"version":"93f437e1398a4f06a984f441f7fa7a9f0535c04399619b5c22e0b87bdee182cb","impliedFormat":1},{"version":"afbe24ab0d74694372baa632ecb28bb375be53f3be53f9b07ecd7fc994907de5","impliedFormat":1},{"version":"70731d10d5311bd4cf710ef7f6539b62660f4b0bfdbb3f9fbe1d25fe6366a7fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"6b19db3600a17af69d4f33d08cc7076a7d19fb65bb36e442cac58929ec7c9482","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e043a1bc8fbf2a255bccf9bf27e0f1caf916c3b0518ea34aa72357c0afd42ec","impliedFormat":1},{"version":"137c2894e8f3e9672d401cc0a305dc7b1db7c69511cf6d3970fb53302f9eae09","impliedFormat":1},{"version":"3bc2f1e2c95c04048212c569ed38e338873f6a8593930cf5a7ef24ffb38fc3b6","impliedFormat":1},{"version":"8145e07aad6da5f23f2fcd8c8e4c5c13fb26ee986a79d03b0829b8fce152d8b2","impliedFormat":1},{"version":"f9d9d753d430ed050dc1bf2667a1bab711ccbb1c1507183d794cc195a5b085cc","impliedFormat":1},{"version":"9eece5e586312581ccd106d4853e861aaaa1a39f8e3ea672b8c3847eedd12f6e","impliedFormat":1},{"version":"235bfb54b4869c26f7e98e3d1f68dbfc85acf4cf5c38a4444a006fbf74a8a43d","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"93452d394fdd1dc551ec62f5042366f011a00d342d36d50793b3529bfc9bd633","impliedFormat":1},{"version":"bb715efb4857eb94539eafb420352105a0cff40746837c5140bf6b035dd220ba","affectsGlobalScope":true,"impliedFormat":1},{"version":"1851a3b4db78664f83901bb9cac9e45e03a37bb5933cc5bf37e10bb7e91ab4eb","impliedFormat":1},{"version":"fdedf82878e4c744bc2a1c1e802ae407d63474da51f14a54babe039018e53d8f","affectsGlobalScope":true,"impliedFormat":1},{"version":"27d8987fd22d92efe6560cf0ce11767bf089903ffe26047727debfd1f3bf438b","affectsGlobalScope":true,"impliedFormat":1},{"version":"578d8bb6dcb2a1c03c4c3f8eb71abc9677e1a5c788b7f24848e3138ce17f3400","impliedFormat":1},{"version":"4f029899f9bae07e225c43aef893590541b2b43267383bf5e32e3a884d219ed5","impliedFormat":1},{"version":"ae56f65caf3be91108707bd8dfbccc2a57a91feb5daabf7165a06a945545ed26","impliedFormat":1},{"version":"a136d5de521da20f31631a0a96bf712370779d1c05b7015d7019a9b2a0446ca9","impliedFormat":1},{"version":"5b566927cad2ed2139655d55d690ffa87df378b956e7fe1c96024c4d9f75c4cf","affectsGlobalScope":true,"impliedFormat":1},{"version":"bce947017cb7a2deebcc4f5ba04cead891ce6ad1602a4438ae45ed9aa1f39104","affectsGlobalScope":true,"impliedFormat":1},{"version":"d3dffd70e6375b872f0b4e152de4ae682d762c61a24881ecc5eb9f04c5caf76f","impliedFormat":1},{"version":"e2c72c065a36bc9ab2a00ac6a6f51e71501619a72c0609defd304d46610487a4","impliedFormat":1},{"version":"d91a7d8b5655c42986f1bdfe2105c4408f472831c8f20cf11a8c3345b6b56c8c","impliedFormat":1},{"version":"616075a6ac578cf5a013ee12964188b4412823796ce0b202c6f1d2e4ca8480d7","affectsGlobalScope":true,"impliedFormat":1},{"version":"e8a979b8af001c9fc2e774e7809d233c8ca955a28756f52ee5dee88ccb0611d2","impliedFormat":1},{"version":"cac793cc47c29e26e4ac3601dcb00b4435ebed26203485790e44f2ad8b6ad847","impliedFormat":1},{"version":"865a2612f5ec073dd48d454307ccabb04c48f8b96fda9940c5ebfe6b4b451f51","impliedFormat":1},{"version":"4558ac151f289d39f651a630cc358111ef72c1148e06627ef7edaeb01eb26c82","impliedFormat":1},{"version":"115b2ad73fa7d175cd71a5873d984c21593b2a022f1a2036cc39d9f53629e5dc","impliedFormat":1},{"version":"1be330b3a0b00590633f04c3b35db7fa618c9ee079258e2b24c137eb4ffcd728","impliedFormat":1},{"version":"3253d41f1fefc58f0ba77053f23a3c310cf1a2b880d3b98c63d52161baa730d3","impliedFormat":1},{"version":"3da0083607976261730c44908eab1b6262f727747ef3230a65ecd0153d9e8639","impliedFormat":1},{"version":"db6d2d9daad8a6d83f281af12ce4355a20b9a3e71b82b9f57cddcca0a8964a96","impliedFormat":1},{"version":"dd721e5707f241e4ef4ab36570d9e2a79f66aad63a339e3cbdbac7d9164d2431","impliedFormat":1},{"version":"24f8562308dd8ba6013120557fa7b44950b619610b2c6cb8784c79f11e3c4f90","impliedFormat":1},{"version":"bf331b8593ad461052b37d83f37269b56e446f0aa8dd77440f96802470b5601d","impliedFormat":1},{"version":"a86f82d646a739041d6702101afa82dcb935c416dd93cbca7fd754fd0282ce1f","impliedFormat":1},{"version":"57d6ac03382e30e9213641ff4f18cf9402bb246b77c13c8e848c0b1ca2b7ef92","impliedFormat":1},{"version":"f040772329d757ecd38479991101ef7bc9bf8d8f4dd8ee5d96fe00aa264f2a2b","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"57e47d02e88abef89d214cdf52b478104dc17997015746e288cbb580beaef266","impliedFormat":1},{"version":"04a2d0bd8166f057cc980608bd5898bfc91198636af3c1eb6cb4eb5e8652fbea","impliedFormat":1},{"version":"376c21ad92ca004531807ea4498f90a740fd04598b45a19335a865408180eddd","impliedFormat":1},{"version":"9e2739b32f741859263fdba0244c194ca8e96da49b430377930b8f721d77c000","impliedFormat":1},{"version":"a9af0e608929aaf9ce96bd7a7b99c9360636c31d73670e4af09a09950df97841","impliedFormat":1},{"version":"48d37b90a04e753a925228f50304d02c4f95d57bf682f8bb688621c3cd9d32ec","impliedFormat":1},{"version":"361e2b13c6765d7f85bb7600b48fde782b90c7c41105b7dab1f6e7871071ba20","impliedFormat":1},{"version":"c86fe861cf1b4c46a0fb7d74dffe596cf679a2e5e8b1456881313170f092e3fa","impliedFormat":1},{"version":"b6db56e4903e9c32e533b78ac85522de734b3d3a8541bf24d256058d464bf04b","impliedFormat":1},{"version":"24daa0366f837d22c94a5c0bad5bf1fd0f6b29e1fae92dc47c3072c3fdb2fbd5","impliedFormat":1},{"version":"b68c4ed987ef5693d3dccd85222d60769463aca404f2ffca1c4c42781dce388e","impliedFormat":1},{"version":"cfb5b5d514eb4ad0ee25f313b197f3baa493eee31f27613facd71efb68206720","impliedFormat":1},{"version":"65f43099ded6073336e697512d9b80f2d4fec3182b7b2316abf712e84104db00","impliedFormat":1},{"version":"3e7efde639c6a6c3edb9847b3f61e308bf7a69685b92f665048c45132f51c218","impliedFormat":1},{"version":"df45ca1176e6ac211eae7ddf51336dc075c5314bc5c253651bae639defd5eec5","impliedFormat":1},{"version":"106c6025f1d99fd468fd8bf6e5bda724e11e5905a4076c5d29790b6c3745e50c","impliedFormat":1},{"version":"9715fe982fccf375c88ac4d3cc8f6a126a7b7596be8d60190a0c7d22b45b4be4","impliedFormat":1},{"version":"1fe24e25a00c7dd689cb8c0fb4f1048b4a6d1c50f76aaca2ca5c6cdb44e01442","impliedFormat":1},{"version":"672f293c53a07b8c1c1940797cd5c7984482a0df3dd9c1f14aaee8d3474c2d83","impliedFormat":1},{"version":"0a66cb2511fa8e3e0e6ba9c09923f664a0a00896f486e6f09fc11ff806a12b0c","impliedFormat":1},{"version":"d703f98676a44f90d63b3ffc791faac42c2af0dd2b4a312f4afdb5db471df3de","impliedFormat":1},{"version":"0cfe1d0b90d24f5c105db5a2117192d082f7d048801d22a9ea5c62fae07b80a0","impliedFormat":1},{"version":"ef61792acbfa8c27c9bd113f02731e66229f7d3a169e3c1993b508134f1a58e0","impliedFormat":1},{"version":"9c82171d836c47486074e4ca8e059735bf97b205e70b196535b5efd40cbe1bc5","impliedFormat":1},{"version":"414cc05e215b7fc5a4a6ece431985e05e03762c8eb5bf1e0972d477f97832956","impliedFormat":1},{"version":"c5426dbfc1cf90532f66965a7aa8c1136a78d4d0f96d8180ecbfc11d7722f1a5","impliedFormat":1},{"version":"5c2e5ca7d53236bbf483a81ae283e2695e291fe69490cd139b33fa9e71838a69","impliedFormat":1},{"version":"a73bee51e3820392023252c36348e62dd72e6bae30a345166e9c78360f1aba7e","impliedFormat":1},{"version":"6ea68b3b7d342d1716cc4293813410d3f09ff1d1ca4be14c42e6d51e810962e1","impliedFormat":1},{"version":"c319e82ac16a5a5da9e28dfdefdad72cebb5e1e67cbdcc63cce8ae86be1e454f","impliedFormat":1},{"version":"a23185bc5ef590c287c28a91baf280367b50ae4ea40327366ad01f6f4a8edbc5","impliedFormat":1},{"version":"65a15fc47900787c0bd18b603afb98d33ede930bed1798fc984d5ebb78b26cf9","impliedFormat":1},{"version":"9d202701f6e0744adb6314d03d2eb8fc994798fc83d91b691b75b07626a69801","impliedFormat":1},{"version":"de9d2df7663e64e3a91bf495f315a7577e23ba088f2949d5ce9ec96f44fba37d","impliedFormat":1},{"version":"c7af78a2ea7cb1cd009cfb5bdb48cd0b03dad3b54f6da7aab615c2e9e9d570c5","impliedFormat":1},{"version":"1ee45496b5f8bdee6f7abc233355898e5bf9bd51255db65f5ff7ede617ca0027","impliedFormat":1},{"version":"0c7c947ff881c4274c0800deaa0086971e0bfe51f89a33bd3048eaa3792d4876","affectsGlobalScope":true,"impliedFormat":1},{"version":"db01d18853469bcb5601b9fc9826931cc84cc1a1944b33cad76fd6f1e3d8c544","affectsGlobalScope":true,"impliedFormat":1},{"version":"dba114fb6a32b355a9cfc26ca2276834d72fe0e94cd2c3494005547025015369","impliedFormat":1},{"version":"a020158a317c07774393974d26723af551e569f1ba4d6524e8e245f10e11b976","affectsGlobalScope":true,"impliedFormat":1},{"version":"fa6c12a7c0f6b84d512f200690bfc74819e99efae69e4c95c4cd30f6884c526e","impliedFormat":1},{"version":"f1c32f9ce9c497da4dc215c3bc84b722ea02497d35f9134db3bb40a8d918b92b","impliedFormat":1},{"version":"b73c319af2cc3ef8f6421308a250f328836531ea3761823b4cabbd133047aefa","affectsGlobalScope":true,"impliedFormat":1},{"version":"e433b0337b8106909e7953015e8fa3f2d30797cea27141d1c5b135365bb975a6","impliedFormat":1},{"version":"15b36126e0089bfef173ab61329e8286ce74af5e809d8a72edcafd0cc049057f","impliedFormat":1},{"version":"ddff7fc6edbdc5163a09e22bf8df7bef75f75369ebd7ecea95ba55c4386e2441","impliedFormat":1},{"version":"13283350547389802aa35d9f2188effaeac805499169a06ef5cd77ce2a0bd63f","impliedFormat":1},{"version":"2e4f37ffe8862b14d8e24ae8763daaa8340c0df0b859d9a9733def0eee7562d9","impliedFormat":1},{"version":"d07cbc787a997d83f7bde3877fec5fb5b12ce8c1b7047eb792996ed9726b4dde","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"8bba776476c48b0e319d243f353190f24096057acede3c2f620fee17ff885dba","impliedFormat":1},{"version":"a3abe92070fbd33714bd837806030b39cfb1f8283a98c7c1f55fffeea388809e","impliedFormat":1},{"version":"ceb6696b98a72f2dae802260c5b0940ea338de65edd372ff9e13ab0a410c3a88","impliedFormat":1},{"version":"2cd914e04d403bdc7263074c63168335d44ce9367e8a74f6896c77d4d26a1038","impliedFormat":1},{"version":"ac60bbee0d4235643cc52b57768b22de8c257c12bd8c2039860540cab1fa1d82","impliedFormat":1},{"version":"b73cbf0a72c8800cf8f96a9acfe94f3ad32ca71342a8908b8ae484d61113f647","impliedFormat":1},{"version":"bae6dd176832f6423966647382c0d7ba9e63f8c167522f09a982f086cd4e8b23","impliedFormat":1},{"version":"208c9af9429dd3c76f5927b971263174aaa4bc7621ddec63f163640cbd3c473c","impliedFormat":1},{"version":"20865ac316b8893c1a0cc383ccfc1801443fbcc2a7255be166cf90d03fac88c9","impliedFormat":1},{"version":"c9958eb32126a3843deedda8c22fb97024aa5d6dd588b90af2d7f2bfac540f23","impliedFormat":1},{"version":"3bc8605900fd1668f6d93ce8e14386478b6caa6fda41be633ee0fe4d0c716e62","impliedFormat":1},{"version":"461d0ad8ae5f2ff981778af912ba71b37a8426a33301daa00f21c6ccb27f8156","impliedFormat":1},{"version":"e927c2c13c4eaf0a7f17e6022eee8519eb29ef42c4c13a31e81a611ab8c95577","impliedFormat":1},{"version":"fcafff163ca5e66d3b87126e756e1b6dfa8c526aa9cd2a2b0a9da837d81bbd72","impliedFormat":1},{"version":"70246ad95ad8a22bdfe806cb5d383a26c0c6e58e7207ab9c431f1cb175aca657","impliedFormat":1},{"version":"f00f3aa5d64ff46e600648b55a79dcd1333458f7a10da2ed594d9f0a44b76d0b","impliedFormat":1},{"version":"772d8d5eb158b6c92412c03228bd9902ccb1457d7a705b8129814a5d1a6308fc","impliedFormat":1},{"version":"45490817629431853543adcb91c0673c25af52a456479588b6486daba34f68bb","impliedFormat":1},{"version":"802e797bcab5663b2c9f63f51bdf67eff7c41bc64c0fd65e6da3e7941359e2f7","impliedFormat":1},{"version":"b01bd582a6e41457bc56e6f0f9de4cb17f33f5f3843a7cf8210ac9c18472fb0f","impliedFormat":1},{"version":"9f31420a5040dbfb49ab94bcaaa5103a9a464e607cabe288958f53303f1da32e","impliedFormat":1},{"version":"6124e973eab8c52cabf3c07575204efc1784aca6b0a30c79eb85fe240a857efa","impliedFormat":1},{"version":"0d891735a21edc75df51f3eb995e18149e119d1ce22fd40db2b260c5960b914e","impliedFormat":1},{"version":"3b414b99a73171e1c4b7b7714e26b87d6c5cb03d200352da5342ab4088a54c85","impliedFormat":1},{"version":"f11d0dcaa4a1cba6d6513b04ceb31a262f223f56e18b289c0ba3133b4d3cd9a6","impliedFormat":1},{"version":"0a437ae178f999b46b6153d79095b60c42c996bc0458c04955f1c996dc68b971","impliedFormat":1},{"version":"74b2a5e5197bd0f2e0077a1ea7c07455bbea67b87b0869d9786d55104006784f","impliedFormat":1},{"version":"4a7baeb6325920044f66c0f8e5e6f1f52e06e6d87588d837bdf44feb6f35c664","impliedFormat":1},{"version":"6dcf60530c25194a9ee0962230e874ff29d34c59605d8e069a49928759a17e0a","impliedFormat":1},{"version":"56013416784a6b754f3855f8f2bf6ce132320679b8a435389aca0361bce4df6b","impliedFormat":1},{"version":"43e96a3d5d1411ab40ba2f61d6a3192e58177bcf3b133a80ad2a16591611726d","impliedFormat":1},{"version":"9c066f3b46cf016e5d072b464821c5b21cc9adcc44743de0f6c75e2509a357ab","impliedFormat":1},{"version":"002eae065e6960458bda3cf695e578b0d1e2785523476f8a9170b103c709cd4f","impliedFormat":1},{"version":"c51641ab4bfa31b7a50a0ca37edff67f56fab3149881024345b13f2b48b7d2de","impliedFormat":1},{"version":"a57b1802794433adec9ff3fed12aa79d671faed86c49b09e02e1ac41b4f1d33a","impliedFormat":1},{"version":"b620391fe8060cf9bedc176a4d01366e6574d7a71e0ac0ab344a4e76576fcbb8","impliedFormat":1},{"version":"52abbd5035a97ebfb4240ec8ade2741229a7c26450c84eb73490dc5ea048b911","impliedFormat":1},{"version":"1042064ece5bb47d6aba91648fbe0635c17c600ebdf567588b4ca715602f0a9d","impliedFormat":1},{"version":"4360ad4de54de2d5c642c4375d5eab0e7fe94ebe8adca907e6c186bbef75a54d","impliedFormat":1},{"version":"c338dff3233675f87a3869417aaea8b8bf590505106d38907dc1d0144f6402ef","impliedFormat":1},{"version":"7bb79aa2fead87d9d56294ef71e056487e848d7b550c9a367523ee5416c44cfa","impliedFormat":1},{"version":"9c9cae45dc94c2192c7d25f80649414fa13c425d0399a2c7cb2b979e4e50af42","impliedFormat":1},{"version":"068f063c2420b20f8845afadb38a14c640aed6bb01063df224edb24af92b4550","impliedFormat":1},{"version":"27ff4196654e6373c9af16b6165120e2dd2169f9ad6abb5c935af5abd8c7938c","impliedFormat":1},{"version":"b8719d4483ebef35e9cb67cd5677b7e0103cf2ed8973df6aba6fdd02896ddc6e","impliedFormat":1},{"version":"643672ce383e1c58ea665a92c5481f8441edbd3e91db36e535abccbc9035adeb","impliedFormat":1},{"version":"6dd9bcf10678b889842d467706836a0ab42e6c58711e33918ed127073807ee65","impliedFormat":1},{"version":"8fa022ea514ce0ea78ac9b7092a9f97f08ead20c839c779891019e110fce8307","impliedFormat":1},{"version":"c93235337600b786fd7d0ff9c71a00f37ca65c4d63e5d695fc75153be2690f09","impliedFormat":1},{"version":"10179c817a384983f6925f778a2dac2c9427817f7d79e27d3e9b1c8d0564f1f4","impliedFormat":1},{"version":"ce791f6ea807560f08065d1af6014581eeb54a05abd73294777a281b6dfd73c2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"c0a666b005521f52e2db0b685d659d7ee9b0b60bc0d347dfc5e826c7957bdb83","impliedFormat":1},{"version":"807d38d00ce6ab9395380c0f64e52f2f158cc804ac22745d8f05f0efdec87c33","impliedFormat":1},{"version":"ce0df82a9ae6f914ba08409d4d883983cc08e6d59eb2df02d8e4d68309e7848b","impliedFormat":1},{"version":"796273b2edc72e78a04e86d7c58ae94d370ab93a0ddf40b1aa85a37a1c29ecd7","impliedFormat":1},{"version":"5df15a69187d737d6d8d066e189ae4f97e41f4d53712a46b2710ff9f8563ec9f","impliedFormat":1},{"version":"e17cd049a1448de4944800399daa4a64c5db8657cc9be7ef46be66e2a2cd0e7c","impliedFormat":1},{"version":"d05fb434f4ba073aed74b6c62eff1723c835de2a963dbb091e000a2decb5a691","impliedFormat":1},{"version":"10e6166be454ddb8c81000019ce1069b476b478c316e7c25965a91904ec5c1e3","impliedFormat":1},{"version":"43ba4f2fa8c698f5c304d21a3ef596741e8e85a810b7c1f9b692653791d8d97a","impliedFormat":1},{"version":"4d4927cbee21750904af7acf940c5e3c491b4d5ebc676530211e389dd375607a","impliedFormat":1},{"version":"72105519d0390262cf0abe84cf41c926ade0ff475d35eb21307b2f94de985778","impliedFormat":1},{"version":"703989a003790524b4e34a1758941d05c121d5d352bccca55a5cfb0c76bca592","impliedFormat":1},{"version":"a58abf1f5c8feb335475097abeddd32fd71c4dc2065a3d28cf15cacabad9654a","impliedFormat":1},{"version":"ccf6dd45b708fb74ba9ed0f2478d4eb9195c9dfef0ff83a6092fa3cf2ff53b4f","impliedFormat":1},{"version":"2d7db1d73456e8c5075387d4240c29a2a900847f9c1bff106a2e490da8fbd457","impliedFormat":1},{"version":"2b15c805f48e4e970f8ec0b1915f22d13ca6212375e8987663e2ef5f0205e832","impliedFormat":1},{"version":"671aeae7130038566a8d00affeb1b3e3b131edf93cbcfff6f55ed68f1ca4c1b3","impliedFormat":1},{"version":"f0f05149debcf31b3a717ce8dd16e0323a789905cb9e27239167b604153b8885","impliedFormat":1},{"version":"35069c2c417bd7443ae7c7cafd1de02f665bf015479fec998985ffbbf500628c","impliedFormat":1},{"version":"955c69dde189d5f47a886ed454ff50c69d4d8aaec3a454c9ab9c3551db727861","impliedFormat":1},{"version":"cec8b16ff98600e4f6777d1e1d4ddf815a5556a9c59bc08cc16db4fd4ae2cf00","impliedFormat":1},{"version":"9e21f8e2c0cfea713a4a372f284b60089c0841eb90bf3610539d89dbcd12d65a","impliedFormat":1},{"version":"045b752f44bf9bbdcaffd882424ab0e15cb8d11fa94e1448942e338c8ef19fba","impliedFormat":1},{"version":"2894c56cad581928bb37607810af011764a2f511f575d28c9f4af0f2ef02d1ab","impliedFormat":1},{"version":"0a72186f94215d020cb386f7dca81d7495ab6c17066eb07d0f44a5bf33c1b21a","impliedFormat":1},{"version":"c226288bda11cee97850f0149cc4ff5a244d42ed3f5a9f6e9b02f1162bf1e3f4","impliedFormat":1},{"version":"210a4ec6fd58f6c0358e68f69501a74aef547c82deb920c1dec7fa04f737915a","impliedFormat":1},{"version":"8eea4cc42d04d26bcbcaf209366956e9f7abaf56b0601c101016bb773730c5fe","impliedFormat":1},{"version":"f5319e38724c54dff74ee734950926a745c203dcce00bb0343cb08fbb2f6b546","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"12b8dfed70961bea1861e5d39e433580e71323abb5d33da6605182ec569db584","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"7e560f533aaf88cf9d3b427dcf6c112dd3f2ee26d610e2587583b6c354c753db","impliedFormat":1},{"version":"71e0082342008e4dfb43202df85ea0986ef8e003c921a1e49999d0234a3019da","impliedFormat":1},{"version":"27ab780875bcbb65e09da7496f2ca36288b0c541abaa75c311450a077d54ec15","impliedFormat":1},{"version":"2652448ac55a2010a1f71dd141f828b682298d39728f9871e1cdf8696ef443fd","impliedFormat":1},{"version":"e71e103fb212e015394def7f1379706fce637fec9f91aa88410a73b7c5cbd4e3","impliedFormat":1},{"version":"120599fd965257b1f4d0ff794bc696162832d9d8467224f4665f713a3119078b","impliedFormat":1},{"version":"5433f33b0a20300cca35d2f229a7fc20b0e8477c44be2affeb21cb464af60c76","impliedFormat":1},{"version":"db036c56f79186da50af66511d37d9fe77fa6793381927292d17f81f787bb195","impliedFormat":1},{"version":"bd4131091b773973ca5d2326c60b789ab1f5e02d8843b3587effe6e1ea7c9d86","impliedFormat":1},{"version":"794998dc1c5a19ce77a75086fe829fb9c92f2fd07b5631c7d5e0d04fd9bc540c","impliedFormat":1},{"version":"2b0b12d0ee52373b1e7b09226eae8fbf6a2043916b7c19e2c39b15243f32bde2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"0427df5c06fafc5fe126d14b9becd24160a288deff40e838bfbd92a35f8d0d00","impliedFormat":1},{"version":"bdc5fd605a6d315ded648abf2c691a22d0b0c774b78c15512c40ddf138e51950","impliedFormat":1},{"version":"49c346823ba6d4b12278c12c977fb3a31c06b9ca719015978cb145eb86da1c61","impliedFormat":1},{"version":"bfac6e50eaa7e73bb66b7e052c38fdc8ccfc8dbde2777648642af33cf349f7f1","impliedFormat":1},{"version":"92f7c1a4da7fbfd67a2228d1687d5c2e1faa0ba865a94d3550a3941d7527a45d","impliedFormat":1},{"version":"f53b120213a9289d9a26f5af90c4c686dd71d91487a0aa5451a38366c70dc64b","impliedFormat":1},{"version":"6cd4b0986c638d92f7204d1407b1cb3e0a79d7a2d23b0f141c1a0829540ce7ef","impliedFormat":1},{"version":"57d67b72e06059adc5e9454de26bbfe567d412b962a501d263c75c2db430f40e","impliedFormat":1},{"version":"6511e4503cf74c469c60aafd6589e4d14d5eb0a25f9bf043dcbecdf65f261972","impliedFormat":1},{"version":"d58265e159fc3cb30aa8878ba5e986a314b1759c824ff66d777b9fe42117231a","impliedFormat":1},{"version":"ff8fccaae640b0bb364340216dcc7423e55b6bb182ca2334837fee38636ad32e","impliedFormat":1},{"version":"a67b87d0281c97dfc1197ef28dfe397fc2c865ccd41f7e32b53f647184cc7307","impliedFormat":1},{"version":"771ffb773f1ddd562492a6b9aaca648192ac3f056f0e1d997678ff97dbb6bf9b","impliedFormat":1},{"version":"232f70c0cf2b432f3a6e56a8dc3417103eb162292a9fd376d51a3a9ea5fbbf6f","impliedFormat":1},{"version":"59ee66cf96b093b18c90a8f6dbb3f0e3b65c758fba7b8b980af9f2726c32c1a2","impliedFormat":1},{"version":"c590195790d7fa35b4abed577a605d283b8336b9e01fa9bf4ae4be49855940f9","impliedFormat":1},{"version":"8a0e762ceb20c7e72504feef83d709468a70af4abccb304f32d6b9bac1129b2c","impliedFormat":1},{"version":"026a43d8239b8f12d2fc4fa5a7acbc2ad06dd989d8c71286d791d9f57ca22b78","impliedFormat":1},{"version":"9252d498a77517aab5d8d4b5eb9d71e4b225bbc7123df9713e08181de63180f6","impliedFormat":1},{"version":"14cf3683955f914b4695e92c93aae5f3fe1e60f3321d712605164bfe53b34334","impliedFormat":1},{"version":"12f0fb50e28b9d48fe5b7580580efe7cc0bd38e4b8c02d21c175aa9a4fd839b0","impliedFormat":1},{"version":"1fffe726740f9787f15b532e1dc870af3cd964dbe29e191e76121aa3dd8693f2","impliedFormat":1},{"version":"7cd657e359eac7829db5f02c856993e8945ffccc71999cdfb4ab3bf801a1bbc6","impliedFormat":1},{"version":"1a82deef4c1d39f6882f28d275cad4c01f907b9b39be9cbc472fcf2cf051e05b","impliedFormat":1},{"version":"4b20fcf10a5413680e39f5666464859fc56b1003e7dfe2405ced82371ebd49b6","impliedFormat":1},{"version":"29c2aa0712786a4a504fce3acd50928f086027276f7490965cb467d2ce638bae","impliedFormat":1},{"version":"f14e63395b54caecc486f00a39953ab00b7e4d428a4e2c38325154b08eb5dcc2","impliedFormat":1},{"version":"e749bbd37dadf82c9833278780527c717226e1e2c9bc7b2576c8ec1c40ec5647","impliedFormat":1},{"version":"7b4a7f4def7b300d5382747a7aa31de37e5f3bf36b92a1b538412ea604601715","impliedFormat":1},{"version":"08f52a9edaabeda3b2ea19a54730174861ceed637c5ca1c1b0c39459fdc0853e","impliedFormat":1},{"version":"6459054aabb306821a043e02b89d54da508e3a6966601a41e71c166e4ea1474f","impliedFormat":1},{"version":"bb37588926aba35c9283fe8d46ebf4e79ffe976343105f5c6d45f282793352b2","impliedFormat":1},{"version":"05c97cddbaf99978f83d96de2d8af86aded9332592f08ce4a284d72d0952c391","impliedFormat":1},{"version":"72179f9dd22a86deaad4cc3490eb0fe69ee084d503b686985965654013f1391b","impliedFormat":1},{"version":"2e6114a7dd6feeef85b2c80120fdbfb59a5529c0dcc5bfa8447b6996c97a69f5","impliedFormat":1},{"version":"7b6ff760c8a240b40dab6e4419b989f06a5b782f4710d2967e67c695ef3e93c4","impliedFormat":1},{"version":"29164fb428c851bc35b632761daad3ae075993a0bf9c43e9e3bc6468b32d9aa5","impliedFormat":1},{"version":"3c01539405051bffccacffd617254c8d0f665cdce00ec568c6f66ccb712b734f","impliedFormat":1},{"version":"ef9021bdfe54f4df005d0b81170bd2da9bfd86ef552cde2a049ba85c9649658f","impliedFormat":1},{"version":"17a1a0d1c492d73017c6e9a8feb79e9c8a2d41ef08b0fe51debc093a0b2e9459","impliedFormat":1},{"version":"f974e4a06953682a2c15d5bd5114c0284d5abf8bc0fe4da25cb9159427b70072","impliedFormat":1},{"version":"50256e9c31318487f3752b7ac12ff365c8949953e04568009c8705db802776fb","impliedFormat":1},{"version":"96e1caae9b78cde35c62fee46c1ec9fa5f12c16bc1e2ab08d48e5921e29a6958","impliedFormat":1},{"version":"8de9fe97fa9e00ec00666fa77ab6e91b35d25af8ca75dabcb01e14ad3299b150","impliedFormat":1},{"version":"9e0327857503a958348d9e8e9dd57ed155a1e6ec0071eb5eb946fe06ccdf7680","impliedFormat":1},{"version":"6c800b281b9e89e69165fd11536195488de3ff53004e55905e6c0059a2d8591e","impliedFormat":1},{"version":"01aa917531e116485beca44a14970834687b857757159769c16b228eb1e49c5f","impliedFormat":1},{"version":"397f568f996f8ffcf12d9156342552b0da42f6571eadba6bce61c99e1651977d","impliedFormat":1},{"version":"e2fd426f3cbc5bbff7860378784037c8fa9c1644785eed83c47c902b99b6cda9","impliedFormat":1},{"version":"d663134457d8d669ae0df34eabd57028bddc04fc444c4bc04bc5215afc91e1f4","impliedFormat":1},{"version":"a52674bc98da7979607e0f44d4c015c59c1b1d264c83fc50ec79ff2cfea06723","impliedFormat":1},{"version":"bcca16e60015db8bbf6bd117e88c5f7269337aebb05fc2b0701ae658a458c9c3","impliedFormat":1},{"version":"5e1246644fab20200cdc7c66348f3c861772669e945f2888ef58b461b81e1cd8","impliedFormat":1},{"version":"eb39550e2485298d91099e8ab2a1f7b32777d9a5ba34e9028ea8df2e64891172","impliedFormat":1},{"version":"e108f38a04a607f9386d68a4c6f3fdae1b712960f11f6482c6f1769bab056c2e","impliedFormat":1},{"version":"a3128a84a9568762a2996df79717d92154d18dd894681fc0ab3a098fa7f8ee3b","affectsGlobalScope":true,"impliedFormat":1},{"version":"347791f3792f436950396dd6171d6450234358001ae7c94ca209f1406566ccbf","impliedFormat":1},{"version":"dd80b1e600d00f5c6a6ba23f455b84a7db121219e68f89f10552c54ba46e4dc9","impliedFormat":1},{"version":"714d8ebb298c7acc9bd1f34bd479c57d12b73371078a0c5a1883a68b8f1b9389","impliedFormat":1},{"version":"616775f16134fa9d01fc677ad3f76e68c051a056c22ab552c64cc281a9686790","impliedFormat":1},{"version":"65c24a8baa2cca1de069a0ba9fba82a173690f52d7e2d0f1f7542d59d5eb4db0","impliedFormat":1},{"version":"f9fe6af238339a0e5f7563acee3178f51db37f32a2e7c09f85273098cee7ec49","impliedFormat":1},{"version":"51bf55bb6eb80f11b3aa59fb0a9571565a7ea304a19381f6da5630f4b2e206c4","impliedFormat":1},{"version":"77e71242e71ebf8528c5802993697878f0533db8f2299b4d36aa015bae08a79c","impliedFormat":1},{"version":"98a787be42bd92f8c2a37d7df5f13e5992da0d967fab794adbb7ee18370f9849","impliedFormat":1},{"version":"02f8ef78d46c5b27f108dbb56709daa0aff625c20247abb0e6bb67cd73439f9f","impliedFormat":1},{"version":"b7fff2d004c5879cae335db8f954eb1d61242d9f2d28515e67902032723caeab","impliedFormat":1},{"version":"5f3dc10ae646f375776b4e028d2bed039a93eebbba105694d8b910feebbe8b9c","impliedFormat":1},{"version":"bb0cd7862b72f5eba39909c9889d566e198fcaddf7207c16737d0c2246112678","impliedFormat":1},{"version":"4545c1a1ceca170d5d83452dd7c4994644c35cf676a671412601689d9a62da35","impliedFormat":1},{"version":"6812502cc640de74782ce9121592ae3765deb1c5c8e795b179736b308dd65e90","impliedFormat":1},{"version":"a2d648d333cf67b9aeac5d81a1a379d563a8ffa91ddd61c6179f68de724260ff","impliedFormat":1},{"version":"2b664c3cc544d0e35276e1fb2d4989f7d4b4027ffc64da34ec83a6ccf2e5c528","impliedFormat":1},{"version":"a3f41ed1b4f2fc3049394b945a68ae4fdefd49fa1739c32f149d32c0545d67f5","impliedFormat":1},{"version":"bad68fd0401eb90fe7da408565c8aee9c7a7021c2577aec92fa1382e8876071a","impliedFormat":1},{"version":"47699512e6d8bebf7be488182427189f999affe3addc1c87c882d36b7f2d0b0e","impliedFormat":1},{"version":"fec01479923e169fb52bd4f668dbeef1d7a7ea6e6d491e15617b46f2cacfa37d","impliedFormat":1},{"version":"8a8fb3097ba52f0ae6530ec6ab34e43e316506eb1d9aa29420a4b1e92a81442d","impliedFormat":1},{"version":"44e09c831fefb6fe59b8e65ad8f68a7ecc0e708d152cfcbe7ba6d6080c31c61e","impliedFormat":1},{"version":"1c0a98de1323051010ce5b958ad47bc1c007f7921973123c999300e2b7b0ecc0","impliedFormat":1},{"version":"b10bc147143031b250dc36815fd835543f67278245bf2d0a46dca765f215124e","impliedFormat":1},{"version":"87affad8e2243635d3a191fa72ef896842748d812e973b7510a55c6200b3c2a4","impliedFormat":1},{"version":"ad036a85efcd9e5b4f7dd5c1a7362c8478f9a3b6c3554654ca24a29aa850a9c5","impliedFormat":1},{"version":"fedebeae32c5cdd1a85b4e0504a01996e4a8adf3dfa72876920d3dd6e42978e7","impliedFormat":1},{"version":"1e4c6ac595b6d734c056ac285b9ee50d27a2c7afe7d15bd14ed16210e71593b0","impliedFormat":1},{"version":"cdf21eee8007e339b1b9945abf4a7b44930b1d695cc528459e68a3adc39a622e","impliedFormat":1},{"version":"330896c1a2b9693edd617be24fbf9e5895d6e18c7955d6c08f028f272b37314d","impliedFormat":1},{"version":"1d9c0a9a6df4e8f29dc84c25c5aa0bb1da5456ebede7a03e03df08bb8b27bae6","impliedFormat":1},{"version":"84380af21da938a567c65ef95aefb5354f676368ee1a1cbb4cae81604a4c7d17","impliedFormat":1},{"version":"1af3e1f2a5d1332e136f8b0b95c0e6c0a02aaabd5092b36b64f3042a03debf28","impliedFormat":1},{"version":"3c7b3aecd652169787b3c512d8f274a3511c475f84dcd6cead164e40cad64480","impliedFormat":1},{"version":"9a01f12466488eccd8d9eafc8fecb9926c175a4bf4a8f73a07c3bcf8b3363282","impliedFormat":1},{"version":"b80f624162276f24a4ec78b8e86fbee80ca255938e12f8b58e7a8f1a6937120b","impliedFormat":1},{"version":"1de80059b8078ea5749941c9f863aa970b4735bdbb003be4925c853a8b6b4450","impliedFormat":1},{"version":"1d079c37fa53e3c21ed3fa214a27507bda9991f2a41458705b19ed8c2b61173d","impliedFormat":1},{"version":"5bf5c7a44e779790d1eb54c234b668b15e34affa95e78eada73e5757f61ed76a","impliedFormat":1},{"version":"5835a6e0d7cd2738e56b671af0e561e7c1b4fb77751383672f4b009f4e161d70","impliedFormat":1},{"version":"5c634644d45a1b6bc7b05e71e05e52ec04f3d73d9ac85d5927f647a5f965181a","impliedFormat":1},{"version":"4b7f74b772140395e7af67c4841be1ab867c11b3b82a51b1aeb692822b76c872","impliedFormat":1},{"version":"27be6622e2922a1b412eb057faa854831b95db9db5035c3f6d4b677b902ab3b7","impliedFormat":1},{"version":"b95a6f019095dd1d48fd04965b50dfd63e5743a6e75478343c46d2582a5132bf","impliedFormat":99},{"version":"c2008605e78208cfa9cd70bd29856b72dda7ad89df5dc895920f8e10bcb9cd0a","impliedFormat":99},{"version":"b97cb5616d2ab82a98ec9ada7b9e9cabb1f5da880ec50ea2b8dc5baa4cbf3c16","impliedFormat":99},{"version":"63a7595a5015e65262557f883463f934904959da563b4f788306f699411e9bac","impliedFormat":1},{"version":"4ba137d6553965703b6b55fd2000b4e07ba365f8caeb0359162ad7247f9707a6","impliedFormat":1},{"version":"00b0f43b3770f66aa1e105327980c0ff17a868d0e5d9f5689f15f8d6bf4fb1f4","affectsGlobalScope":true,"impliedFormat":1},{"version":"272a7e7dbe05e8aaba1662ef1a16bbd57975cc352648b24e7a61b7798f3a0ad7","affectsGlobalScope":true,"impliedFormat":1},{"version":"a1219ee18b9282b4c6a31f1f0bcc9255b425e99363268ba6752a932cf76662f0","impliedFormat":1},{"version":"3dc14e1ab45e497e5d5e4295271d54ff689aeae00b4277979fdd10fa563540ae","impliedFormat":1},{"version":"1d63055b690a582006435ddd3aa9c03aac16a696fac77ce2ed808f3e5a06efab","impliedFormat":1},{"version":"b789bf89eb19c777ed1e956dbad0925ca795701552d22e68fd130a032008b9f9","impliedFormat":1},"f2b3bca04d1bfe583daae1e1f798c92ec24bb6693bd88d0a09ba6802dee362a8","614bce25b089c3f19b1e17a6346c74b858034040154c6621e7d35303004767cc",{"version":"402e5c534fb2b85fa771170595db3ac0dd532112c8fa44fc23f233bc6967488b","impliedFormat":1},{"version":"8885cf05f3e2abf117590bbb951dcf6359e3e5ac462af1c901cfd24c6a6472e2","impliedFormat":1},{"version":"769adbb54d25963914e1d8ce4c3d9b87614bf60e6636b32027e98d4f684d5586","impliedFormat":1},{"version":"e61df3640a38d535fd4bc9f4a53aef17c296b58dc4b6394fd576b808dd2fe5e6","impliedFormat":1},{"version":"80781460eca408fe8d2937d9fdbbb780d6aac35f549621e6200c9bee1da5b8fe","impliedFormat":1},{"version":"4719c209b9c00b579553859407a7e5dcfaa1c472994bd62aa5dd3cc0757eb077","impliedFormat":1},{"version":"7ec359bbc29b69d4063fe7dad0baaf35f1856f914db16b3f4f6e3e1bca4099fa","impliedFormat":1},{"version":"b9261ac3e9944d3d72c5ee4cf888ad35d9743a5563405c6963c4e43ee3708ca4","impliedFormat":1},{"version":"c84fd54e8400def0d1ef1569cafd02e9f39a622df9fa69b57ccc82128856b916","impliedFormat":1},{"version":"a022503e75d6953d0e82c2c564508a5c7f8556fad5d7f971372d2d40479e4034","impliedFormat":1},{"version":"2ed6489ef46eb61442d067c08e87e3db501c0bfb2837eee4041a27bf3e792bb0","impliedFormat":1},{"version":"644491cde678bd462bb922c1d0cfab8f17d626b195ccb7f008612dc31f445d2d","impliedFormat":1},{"version":"495e8ce8a3b99536dcc4e695d225123534d90ab75f316befe68de4b9336aae5d","impliedFormat":1},{"version":"f45a2a8b1777ecb50ed65e1a04bb899d4b676529b7921bd5d69b08573a00c832","impliedFormat":1},{"version":"774b783046ba3d473948132d28a69f52a295b2f378f2939304118ba571b1355e","impliedFormat":1},{"version":"b5734e05c787a40e4f9efe71f16683c5f7dc3bdb0de7c04440c855bd000f8fa7","impliedFormat":1},{"version":"14ba97f0907144771331e1349fdccb5a13526eba0647e6b447e572376d811b6f","impliedFormat":1},{"version":"2a771d907aebf9391ac1f50e4ad37952943515eeea0dcc7e78aa08f508294668","impliedFormat":1},{"version":"0146fd6262c3fd3da51cb0254bb6b9a4e42931eb2f56329edd4c199cb9aaf804","impliedFormat":1},{"version":"26e629be9bbd94ea1d465af83ce5a3306890520695f07be6eb016f8d734d02be","impliedFormat":99},{"version":"b558c9a18ea4e6e4157124465c3ef1063e64640da139e67be5edb22f534f2f08","impliedFormat":1},{"version":"01374379f82be05d25c08d2f30779fa4a4c41895a18b93b33f14aeef51768692","impliedFormat":1},{"version":"b0dee183d4e65cf938242efaf3d833c6b645afb35039d058496965014f158141","impliedFormat":1},{"version":"c0bbbf84d3fbd85dd60d040c81e8964cc00e38124a52e9c5dcdedf45fea3f213","impliedFormat":1},"223f2def401123e32ac5664f79c73bdaa8b3a77caf466a304bff919a2a28c16f",{"version":"359e7188a3ad226e902c43443a45f17bd53bf279596aece7761dc72ffa22b30d","impliedFormat":1},{"version":"bc49a4fc1205cea6f81982f4a59d42cce66f8892a16142c1e274841ddbe802a1","impliedFormat":1},{"version":"ba9c041d4b2859771e597b35d766ca8a58f767f435189377949851313fc08a5b","signature":"8f77b9365708bd0a871e86c26136a0c79a1c5eb3c684104d1497755ca82667e6"},{"version":"16f9e390c99c46e0c9ce9d402406d30afd20d2ed938dc1df4d7c88f426477361","signature":"4eb5e4aa28da3ddd7398b79db39403121941b0e8cf8cf7ff9779d30c2d654f4f"},{"version":"04ddcdfbbf0c23c956e4157125e47c7aa91adef3c0274ac321f431f87de41515","signature":"7080104118d3e6b70e8e5ed6271adfecf474122031bd6447ac44d2baebfc4301"},{"version":"ff89ea8e28cb77d1330096781f2bfb94f8ac73370040878ec1ee5af05b235905","signature":"e24d12118cb2463a00bb110b2ecdbbec5adadcc757dcf10de15c2e4d10986ab3"},"6acb77c3f0009d2868917b6a6e875f2e11a206ede8decb82d5fa17aead071cab","6ba5fd3ee066778164274858340e366d1b81a6eb27dcefadaba19f4bac5b7e7d",{"version":"825eb7f55311a434c4b08ea04debe5a06884b6e6b3dc1fd7f21c8a418c447036","signature":"5a0d9d3b226b3a6078e5b319690aa19a0e276a57542a8fec9f77ba40ab4bf3d9"},{"version":"fcef1b04b9ae4137ff898d94cf22eb7fad835115cf306cc213b9fcb6253c1ae3","impliedFormat":1},{"version":"8866afaa7858b07a45e8c3c9c7994a1f4bdb33d6a09f267d106be8a77e9faf7b","impliedFormat":1},{"version":"a53ba117a718d7db256e67b4d89987b060e7b6e8e883d91869a227acb8fc8fb9","impliedFormat":1},{"version":"2db8a13c115d5eac1a8c10be830daa7d9ed4a31a82eedd075f081cfe31dd7b94","impliedFormat":1},{"version":"fe2ae8a4f780c2d9a5eb5014c035f10faf98d1def481216b221a6d6a9b98a98a","impliedFormat":1},{"version":"75e99bd36b61d98f1564fc8fbdef0db955ef4b9c11cc488a903377c92f0f409b","impliedFormat":1},{"version":"18bcc01d17e7fed441eb045beb5ab1fb5376ec8c108d0cb9f3e56bc924e48508","impliedFormat":1},{"version":"638964c5c016a3894c1c0cdf707bde1c9230da7a9b94de17f8f70a79a1276448","impliedFormat":1},{"version":"cdec1dc6c2a50a450f399b90be53eebe478a203e3a892e338af0d7ea1f7bf95e","impliedFormat":1},{"version":"19d6bb75afaf19057fda9eea52f5e9b2904ad5ce074208e26a85a0a2ef02967f","impliedFormat":1},{"version":"081958260123f1dd58dd802407aae1f7e25d49e8f1d955a7b888cb8e5e388265","impliedFormat":1},{"version":"fe3c210949a6b5cc1f6b12f07fd795cad35f418009a92e8f65c7d40637804bd9","impliedFormat":1},{"version":"98fcb83e9d921ddf10aac30dbf0471b46024d65c52b886458e036f90f6dd2cd2","impliedFormat":1},{"version":"0fd37a5a5c182a9b9cd5ff651106189fd85f23b0d14bb762f2b2c57e12f2face","impliedFormat":1},{"version":"b3828dcce5209e5b76fcd1a60b3c52c84735f56df7513a5d4412743771e62180","impliedFormat":1},{"version":"e2ecc557255d05f4bbdfd515f6687e6ccd144a7731c90bca1fcb66ac5162992c","impliedFormat":1},{"version":"a555bea0935f3d2d3f5a20141665207c575912a4bd4cdfbc49a817f149b1dd0e","impliedFormat":1},{"version":"3533374d0f9c64f4da2a7c12b12bb771000b91a2442ad551a332f266976f38fc","impliedFormat":1},{"version":"33334027e91752b315bd13747060ca55d7f4713e6004ebd319cb3deb80b6cad5","impliedFormat":1},{"version":"311f919487e8c40f67cba3784a9af8c2adfb79eb01bd8bc821cc07a565c0b148","impliedFormat":1},{"version":"5338ae2d47ffc8be0821ceee5eb2698782ed847f9a321de4e74cdbebbd77c71a","impliedFormat":1},{"version":"59960cbe61b4fd7addd512bf89f3c04cab511312255b9aad431fa356d89b29e0","impliedFormat":1},{"version":"cd51ceafea7762ad639afb3ca5b68e1e4ffeaacaa402d7ef2cae17016e29e098","impliedFormat":1},{"version":"1b8357b3fef5be61b5de6d6a4805a534d68fe3e040c11f1944e27d4aec85936a","impliedFormat":1},{"version":"130ec22c8432ade59047e0225e552c62a47683d870d44785bee95594c8d65408","impliedFormat":1},{"version":"4f24c2781b21b6cd65eede543669327d68a8cf0c6d9cf106a1146b164a7c8ef9","affectsGlobalScope":true,"impliedFormat":1},{"version":"928f96b9948742cbaec33e1c34c406c127c2dad5906edb7df08e92b963500a41","impliedFormat":1},{"version":"56613f2ebdd34d4527ca1ee969ab7e82333c3183fc715e5667c999396359e478","impliedFormat":1},{"version":"d9720d542df1d7feba0aa80ed11b4584854951f9064232e8d7a76e65dc676136","impliedFormat":1},{"version":"d0fb3d0c64beba3b9ab25916cc018150d78ccb4952fac755c53721d9d624ba0d","impliedFormat":1},{"version":"86b484bcf6344a27a9ee19dd5cef1a5afbbd96aeb07708cc6d8b43d7dfa8466c","impliedFormat":1},{"version":"ba93f0192c9c30d895bee1141dd0c307b75df16245deef7134ac0152294788cc","impliedFormat":1},{"version":"75a7db3b7ddf0ca49651629bb665e0294fda8d19ba04fddc8a14d32bb35eb248","impliedFormat":1},{"version":"eb31477c87de3309cbe4e9984fa74a052f31581edb89103f8590f01874b4e271","impliedFormat":1},{"version":"892abbe1081799073183bab5dc771db813938e888cf49eb166f0e0102c0c1473","impliedFormat":1},{"version":"b10d98a3178cf39b3cb34a26a1704633126c7306a37120af128f2075f0be848d","impliedFormat":1},{"version":"865f3db83300a1303349cc49ed80943775a858e0596e7e5a052cc65ac03b10bb","impliedFormat":1},{"version":"28fa41063a242eafcf51e1a62013fccdd9fd5d6760ded6e3ff5ce10a13c2ab31","impliedFormat":1},{"version":"ada60ff3698e7fd0c7ed0e4d93286ee28aed87f648f6748e668a57308fde5a67","impliedFormat":1},{"version":"1a67ba5891772a62706335b59a50720d89905196c90719dad7cec9c81c2990e6","impliedFormat":1},{"version":"5d6f919e1966d45ea297c2478c1985d213e41e2f9a6789964cdb53669e3f7a6f","impliedFormat":1},{"version":"a8289d1d525cf4a3a2d5a8db6b8e14e19f43d122cc47f8fb6b894b0aa2e2bde6","impliedFormat":1},{"version":"d7735a9ccd17767352ab6e799d76735016209aadd5c038a2fc07a29e7b235f02","impliedFormat":1},{"version":"4e251317bb109337e4918e5d7bcda7ef2d88f106cac531dcea03f7eee1dd2240","impliedFormat":1},{"version":"0f2c77683296ca2d0e0bee84f8aa944a05df23bc4c5b5fef31dda757e75f660f","impliedFormat":1},{"version":"cf41091fcbf45daff9aba653406b83d11a3ec163ff9d7a71890035117e733d98","impliedFormat":1},{"version":"742be2239f1a967692c4562a16973a08a1177663f972cbb4e1ef2b21bc97c9cf","impliedFormat":1},{"version":"ce92e662f86a36fc38c5aaa2ec6e6d6eed0bc6cf231bd06a9cb64cc652487550","impliedFormat":1},{"version":"bcf177e80d5a2c3499f587886b4a190391fc9ad4388f74ae6aa935a1c22cd623","impliedFormat":1},{"version":"521f9f4dd927972ed9867e3eb2f0dd6990151f9edbb608ce59911864a9a2712d","impliedFormat":1},{"version":"b2a793bde18962a2e1e0f9fa5dce43dd3e801331d36d3e96a7451727185fb16f","impliedFormat":1},{"version":"9d8fc1d9b6b4b94127eec180183683a6ef4735b0e0a770ba9f7e2d98dd571e0c","impliedFormat":1},{"version":"8504003e88870caa5474ab8bd270f318d0985ba7ede4ee30fe37646768b5362a","impliedFormat":1},{"version":"65465a64d5ee2f989ad4cf8db05f875204a9178f36b07a1e4d3a09a39f762e2e","impliedFormat":1},{"version":"2878f694f7d3a13a88a5e511da7ac084491ca0ddde9539e5dad76737ead9a5a9","impliedFormat":1},{"version":"1c0c6bd0d9b697040f43723d5b1dd6bb9feb743459ff9f95fda9adb6c97c9b37","impliedFormat":1},{"version":"0915ce92bb54e905387b7907e98982620cb7143f7b44291974fb2e592602fe00","impliedFormat":1},{"version":"3cd6df04a43858a6d18402c87a22a68534425e1c8c2fc5bb53fead29af027fcc","impliedFormat":1},{"version":"7c0a4d3819fb911cdb5a6759c0195c72b0c54094451949ebaa89ffceadd129ca","impliedFormat":1},{"version":"4733c832fb758f546a4246bc62f2e9d68880eb8abf0f08c6bec484decb774dc9","impliedFormat":1},{"version":"58d91c410f31f4dd6fa8d50ad10b4ae9a8d1789306e73a5fbe8abea6a593099b","impliedFormat":1},{"version":"7ca6bb19f016eadcff4eb8993a37ba89be7b42bdf0dbc630d0b0db34e5fc7df0","impliedFormat":1},{"version":"d8d5061cb4521772457a2a3f0fcec028669990daceea78068bc968620641cd25","impliedFormat":1},{"version":"81671608efe86adf90b9037cb6ea0f97c03bd1ae654d4974e511b682bf7658ea","impliedFormat":1},{"version":"1f129869a0ee2dcb7ea9a92d6bc8ddf2c2cdaf2d244eec18c3a78efeb5e05c83","impliedFormat":1},{"version":"843e98d09268e2b5b9e6ff60487cf68f4643a72c2e55f7c29b35d1091a4ee4e9","impliedFormat":1},{"version":"e6804515ba7c8f647e145ecc126138dd9d27d3e6283291d0f50050700066a0ea","impliedFormat":1},{"version":"9420a04edbe321959de3d1aab9fa88b45951a14c22d8a817f75eb4c0a80dba02","impliedFormat":1},{"version":"6927ceeb41bb451f47593de0180c8ff1be7403965d10dc9147ee8d5c91372fff","impliedFormat":1},{"version":"ef4c9ef3ec432ccbf6508f8aa12fbb8b7f4d535c8b484258a3888476de2c6c36","impliedFormat":1},{"version":"77ff2aeb024d9e1679c00705067159c1b98ccac8310987a0bdaf0e38a6ca7333","impliedFormat":1},{"version":"1b609b28df5d753bb0ba20c7eb674fa93298fa268c9b20f40176f088878caef3","impliedFormat":1},{"version":"952c4a8d2338e19ef26c1c0758815b1de6c082a485f88368f5bece1e555f39d4","impliedFormat":1},{"version":"1d953cb875c69aeb1ec8c58298a5226241c6139123b1ff885cedf48ac57b435c","impliedFormat":1},{"version":"1a80e164acd9ee4f3e2a919f9a92bfcdb3412d1fe680b15d60e85eadbaa460f8","impliedFormat":1},{"version":"f981ffdbd651f67db134479a5352dac96648ca195f981284e79dc0a1dbc53fd5","impliedFormat":1},{"version":"a1c85a61ff2b66291676ab84ae03c1b1ff7139ffde1942173f6aee8dc4ee357b","impliedFormat":1},{"version":"ee1969bda02bd6c3172c259d33e9ea5456f1662a74e0acf9fa422bb38263f535","impliedFormat":1},{"version":"f1a5a12e04ad1471647484e7ff11e36eef7960f54740f2e60e17799d99d6f5ab","impliedFormat":1},{"version":"672c1ebc4fa15a1c9b4911f1c68de2bc889f4d166a68c5be8f1e61f94014e9d8","impliedFormat":1},{"version":"88293260a4744980874bdc1fd796db707374d852b8031599197408bc77563d1c","impliedFormat":1},{"version":"5a0d920468aa4e792285943cadad77bcb312ba2acf1c665e364ada1b1ee56264","impliedFormat":1},{"version":"de54198142e582c1e26baa21c72321bcdde2a7c38b34cf18e246c7ff95bafd18","impliedFormat":1},{"version":"eccffdb59d6d42e3e773756e8bbe1fa8c23f261ef0cef052f3a8c0194dc6a0e0","impliedFormat":1},{"version":"2d98be5066df3ec9f217b93ef40abab987ec3b55b8f8756a43a081362a356e61","impliedFormat":1},{"version":"a2e4333bf0c330ae26b90c68e395ad0a8af06121f1c977979c75c4a5f9f6bc29","impliedFormat":1},{"version":"f29768cdfdf7120ace7341b42cdcf1a215933b65da9b64784e9d5b8c7b0e1d3d","impliedFormat":1},{"version":"2cbf557a03f80df74106cb7cfb38386db82725b720b859e511bdead881171c32","impliedFormat":1},{"version":"520e09c896f218d5871ba109df4fcf006642084cf6e6cd677897f7b93139ce46","impliedFormat":1},{"version":"5718274a266c16d3fbe9cd44c0e591ca981c374904137807e0ee7d601524deda","impliedFormat":1},{"version":"dd9694eecd70a405490ad23940ccd8979a628f1d26928090a4b05a943ac61714","impliedFormat":1},{"version":"42ca885a3c8ffdffcd9df252582aef9433438cf545a148e3a5e7568ca8575a56","impliedFormat":1},{"version":"309586820e31406ed70bb03ea8bca88b7ec15215e82d0aa85392da25d0b68630","impliedFormat":1},{"version":"98245fec2e886e8eb5398ce8f734bd0d0b05558c6633aefc09b48c4169596e4e","impliedFormat":1},{"version":"1410d60fe495685e97ed7ca6ff8ac6552b8c609ebe63bd97e51b7afe3c75b563","impliedFormat":1},{"version":"c6843fd4514c67ab4caf76efab7772ceb990fbb1a09085fbcf72b4437a307cf7","impliedFormat":1},{"version":"03ed68319c97cd4ce8f1c4ded110d9b40b8a283c3242b9fe934ccfa834e45572","impliedFormat":1},{"version":"956618754d139c7beb3c97df423347433473163d424ff8248af18851dd7d772a","impliedFormat":1},{"version":"7d8f40a7c4cc81db66ac8eaf88f192996c8a5542c192fdebb7a7f2498c18427d","impliedFormat":1},{"version":"c69ecf92a8a9fb3e4019e6c520260e4074dc6cb0044a71909807b8e7cc05bb65","impliedFormat":1},{"version":"c0c259eb2e1d212153e434aba2e0771ea8defe515caf6f5d7439b9591da61117","impliedFormat":1},{"version":"a33a9b9b9210506915937c1b109eaa2b827f25e9a705892e23c5731a50b2b36f","impliedFormat":1},{"version":"1edc9192dfc277c60b92525cdfa1980e1bfd161ae77286c96777d10db36be73c","impliedFormat":1},{"version":"ed53f2563bbdc94c69e4091752a1f7a5fe3d279896bab66979bb799325241db4","impliedFormat":1},{"version":"918956b37f3870f02f0659d14bba32f7b0e374fd9c06a241db9da7f5214dcd79","impliedFormat":1},{"version":"cc9bf8080004ee3d8d9ef117c8df0077d6a76b13cb3f55fd3eefbb3e8fcd1e63","impliedFormat":1},{"version":"1f0ee5ddb64540632c6f9a5b63e242b06e49dd6472f3f5bd7dfeb96d12543e15","impliedFormat":1},{"version":"18b86125c67d99150f54225df07349ddd07acde086b55f3eeac1c34c81e424d8","impliedFormat":1},{"version":"2d3f23c577a913d0f396184f31998507e18c8712bc74303a433cf47f94fd7e07","impliedFormat":1},{"version":"b848b40bfeb73dfe2e782c5b7588ef521010a3d595297e69386670cbde6b4d82","impliedFormat":1},{"version":"aa79b64f5b3690c66892f292e63dfe3e84eb678a886df86521f67c109d57a0c5","impliedFormat":1},{"version":"a692e092c3b9860c9554698d84baf308ba51fc8f32ddd6646e01a287810b16c6","impliedFormat":1},{"version":"64df9b13259fe3e3fea8ed9cdce950b7a0d40859d706c010eeea8c8d353d53fd","impliedFormat":1},{"version":"1848ebe5252ccb5ca1ca4ff52114516bdbbc7512589d6d0839beeea768bfb400","impliedFormat":1},{"version":"d2e3a1de4fde9291f9fb3b43672a8975a83e79896466f1af0f50066f78dbf39e","impliedFormat":1},{"version":"e37650b39727a6cf036c45a2b6df055e9c69a0afdd6dbab833ab957eb7f1a389","impliedFormat":1},{"version":"b848c5cd9ba9a70d6933e9bafde26b9fe442bfbeb4bef2427b9d9cf09375553d","impliedFormat":1},{"version":"0f5773d0dd61aff22d2e3223be3b4b9c4a8068568918fb29b3f1ba3885cf701f","impliedFormat":1},{"version":"31073e7d0e51f33b1456ff2ab7f06546c95e24e11c29d5b39a634bc51f86d914","impliedFormat":1},{"version":"9ce0473b0fbaf7287afb01b6a91bd38f73a31093e59ee86de1fd3f352f3fc817","impliedFormat":1},{"version":"6f0d708924c3c4ee64b0fef8f10ad2b4cb87aa70b015eb758848c1ea02db0ed7","impliedFormat":1},{"version":"6addbb18f70100a2de900bace1c800b8d760421cdd33c1d69ee290b71e28003d","impliedFormat":1},{"version":"37569cc8f21262ca62ec9d3aa8eb5740f96e1f325fad3d6aa00a19403bd27b96","impliedFormat":1},{"version":"e0ef70ca30cdc08f55a9511c51a91415e814f53fcc355b14fc8947d32ce9e1aa","impliedFormat":1},{"version":"14be139e0f6d380a3d24aaf9b67972add107bea35cf7f2b1b1febac6553c3ede","impliedFormat":1},{"version":"23195b09849686462875673042a12b7f4cd34b4e27d38e40ca9c408dae8e6656","impliedFormat":1},{"version":"ff1731974600a4dad7ec87770e95fc86ca3d329b1ce200032766340f83585e47","impliedFormat":1},{"version":"91bc53a57079cf32e1a10ccf1a1e4a068e9820aa2fc6abc9af6bd6a52f590ffb","impliedFormat":1},{"version":"8dd284442b56814717e70f11ca22f4ea5b35feeca680f475bfcf8f65ba4ba296","impliedFormat":1},{"version":"a304e0af52f81bd7e6491e890fd480f3dc2cb0541dec3c7bd440dba9fea5c34e","impliedFormat":1},{"version":"c60fd0d7a1ba07631dfae8b757be0bffd5ef329e563f9a213e4a5402351c679f","impliedFormat":1},{"version":"02687b095a01969e6e300d246c9566a62fa87029ce2c7634439af940f3b09334","impliedFormat":1},{"version":"e79e530a8216ee171b4aca8fc7b99bd37f5e84555cba57dc3de4cd57580ff21a","impliedFormat":1},{"version":"ceb2c0bc630cca2d0fdd48b0f48915d1e768785efaabf50e31c8399926fee5b1","impliedFormat":1},{"version":"f351eaa598ba2046e3078e5480a7533be7051e4db9212bb40f4eeb84279aa24d","impliedFormat":1},{"version":"12aeda564ee3f1d96ac759553d6749534fafeb2e5142ea2867f22ed39f9d3260","impliedFormat":1},{"version":"4ce53edb8fb1d2f8b2f6814084b773cdf5846f49bf5a426fbe4029327bda95bf","impliedFormat":1},{"version":"85d63aaff358e8390b666a6bc68d3f56985f18764ab05f750cb67910f7bccb1a","impliedFormat":1},{"version":"0a0bf0cb43af5e0ac1703b48325ebc18ad86f6bf796bdbe96a429c0e95ca4486","impliedFormat":1},{"version":"22fcfd509683e3edfaf0150c255f6afdf437fec04f033f56b43d66fe392e2ad3","impliedFormat":1},{"version":"f08d2151bd91cdaa152532d51af04e29201cfc5d1ea40f8f7cfca0eb4f0b7cf3","impliedFormat":1},{"version":"3d5d9aa6266ea07199ce0a1e1f9268a56579526fad4b511949ddb9f974644202","impliedFormat":1},{"version":"b9c889d8a4595d02ebb3d3a72a335900b2fe9e5b5c54965da404379002b4ac44","impliedFormat":1},{"version":"a3cd30ebae3d0217b6b3204245719fc2c2f29d03b626905cac7127e1fb70e79c","impliedFormat":1},{"version":"1502a23e43fd7e9976a83195dc4eaf54acaff044687e0988a3bd4f19fc26b02b","impliedFormat":1},{"version":"5faa3d4b828440882a089a3f8514f13067957f6e5e06ec21ddd0bc2395df1c33","impliedFormat":1},{"version":"f0f95d40b0b5a485b3b97bd99931230e7bf3cbbe1c692bd4d65c69d0cdd6fa9d","impliedFormat":1},{"version":"d9c6f10eebf03d123396d4fee1efbe88bc967a47655ec040ffe7e94271a34fc7","impliedFormat":1},{"version":"8dd21a3054ca0c046840c308b014aec4cc5be0824a2504e365c4d499ea206ba8","impliedFormat":1},{"version":"380b4fe5dac74984ac6a58a116f7726bede1bdca7cec5362034c0b12971ac9c1","impliedFormat":1},{"version":"00de72aa7abede86b016f0b3bfbf767a08b5cff060991b0722d78b594a4c2105","impliedFormat":1},{"version":"fdf949030336b31644def7e6529d500301fb2b235a51691de84c36ffdaf8a2db","impliedFormat":1},{"version":"5208bf3184136d545f7a68a3991f68f15c8319ae35a86a51c93c9bc7cc04b6e6","impliedFormat":1},{"version":"4f5bbef956920cfd90f2cbffccb3c34f8dfc64faaba368d9d41a46925511b6b0","impliedFormat":1},{"version":"dd7a3e1f2a79a6fa8e08b00c8f9095b6102b814492106a62062c845c3696975d","impliedFormat":1},{"version":"fd53b02b51f3b38b6c57bc7a2af7d766d9b0dbbf7376d9ec5027339a478438b5","impliedFormat":1},{"version":"7b7f39411329342a28ea19a4ca3aa4c7f7d888c9f01a411b05e4126280026ea6","impliedFormat":1},{"version":"ba3ef8ea20ac0186dc0d58c1e96ffaf84327d09c377fd82f0ae99236e3430c3a","impliedFormat":1},{"version":"d66e97aa992c0fe797878bcad6257562829582f5f3a2842df71e613e60f7b778","impliedFormat":1},{"version":"a86492d82baf906c071536e8de073e601eaa5deed138c2d9c42d471d72395d7e","impliedFormat":1},{"version":"789110b95e963c99ace4e9ad8b60901201ddc4cab59f32bde5458c1359a4d887","impliedFormat":1},{"version":"92eb8a98444729aa61be5e6e489602363d763da27d1bcfdf89356c1d360484da","impliedFormat":1},{"version":"72bbfa838556113625a605be08f9fed6a4aed73ba03ab787badb317ab6f3bcd7","impliedFormat":1},{"version":"d729b8b400507b9b51ff40d11e012379dbf0acd6e2f66bf596a3bc59444d9bf1","impliedFormat":1},{"version":"32ac4394bb4b0348d46211f2575f22ab762babb399aca1e34cf77998cdef73b2","impliedFormat":1},{"version":"665c7850d78c30326b541d50c4dfad08cea616a7f58df6bb9c4872dd36778ad0","impliedFormat":1},{"version":"1567c6dcf728b0c1044606f830aafd404c00590af56d375399edef82e9ddce92","impliedFormat":1},{"version":"c00b402135ef36fb09d59519e34d03445fd6541c09e68b189abb64151f211b12","impliedFormat":1},{"version":"e08e58ac493a27b29ceee80da90bb31ec64341b520907d480df6244cdbec01f8","impliedFormat":1},{"version":"c0fe2b1135ca803efa203408c953e1e12645b8065e1a4c1336ad8bb11ea1101b","impliedFormat":1},{"version":"d82c245bfb76da44dd573948eca299ff75759b9714f8410468d2d055145a4b64","impliedFormat":1},{"version":"25b1108faedaf2043a97a76218240b1b537459bbca5ae9e2207c236c40dcfdef","impliedFormat":1},{"version":"28c03de15ec7540613779e3261fe81618d4c349c018e81186dc0f33d6e119c3b","impliedFormat":1},{"version":"3c604a9f1d21f84dd286d0b02ed8950e19713db490b44c20da7e64a20e55d0c2","impliedFormat":1},{"version":"3d9fb85cc7089ca54873c9924ff47fcf05d570f3f8a3a2349906d6d953fa2ccf","impliedFormat":1},{"version":"373adcd45da66437ea212398d3f3c028979a0a2ea45da631764653a62fa77923","impliedFormat":1},{"version":"db08c1807e3ae065930d88a3449d926273816d019e6c2a534e82da14e796686d","impliedFormat":1},{"version":"9e5c7463fc0259a38938c9afbdeda92e802cff87560277fd3e385ad24663f214","impliedFormat":1},{"version":"ef83477cca76be1c2d0539408c32b0a2118abcd25c9004f197421155a4649c37","impliedFormat":1},{"version":"93962f33d5f95ebfe4a8299843b6a76d119e45d0e16ed8550da2667dbaf1928d","impliedFormat":1},{"version":"3f0997c4d9dc2ba4b6e069ca70f54bc2207f496631ff8a44fd99b9bad67a84a0","impliedFormat":1},{"version":"2f0f0c0aac4234f866a40a66c3e2a01756c9b93198f546c60beaa64bcc6da95c","impliedFormat":1},{"version":"5645b5782f36293cdb3f0a129dd24c396c87ba6fc215def42ce0448e4bebeb9e","impliedFormat":1},{"version":"78f6a5a6d3bc9fc8554b25046db35b6d338d028484400fa04a226c5226eb4f45","impliedFormat":1},{"version":"1df7dc6ab774ac73be75d5788a724a8f2294d0527d257b7f086d1bee340986cf","impliedFormat":1},{"version":"a944e24b25527b44fafff67d7e1038c704306fda7e655382ba7dad0871ec70c1","impliedFormat":1},{"version":"bef348ef12bc0c368abcd4ba4a46cf48dc84679b265f0fe8752aa25270ce97e4","impliedFormat":1},{"version":"df7ec168ca2e4847bc90a57b813c8a0cf9609daf38bfb9d488db7edb7f74c9b5","impliedFormat":1},{"version":"a2b93a57c516c75e604f694e4fead11b71bf16352edac9f38aa7831333876b7d","impliedFormat":1},{"version":"dfc0fae1c0ed3f71dbf79d9dca1b1e8d6fbc26adcbe7d56577ee10d4b8e3fcd1","impliedFormat":1},{"version":"e43442b9f2f7c3b49c22f09ab7fe07f29a31cf0711f72cb5cc8198746ce004ca","impliedFormat":1},{"version":"b6a475edb1b080fe58ffaa50d672126612a8c536e940b3f7cc11a15c75758d7b","impliedFormat":1},{"version":"274184f91c17faaea7b9e1671e52eadb75444f6d1aa6b44e7c81573e0bddbcc6","impliedFormat":1},{"version":"3baf84a638667601ee13d9dfe0fa99f353331436578ecd70ffce93e11ccb374f","impliedFormat":1},{"version":"102bf558d8b0cefe17368ef277689ec77b82a5349fa3f6bf465bf53ed53121fe","impliedFormat":1},{"version":"669bf6064fa08699786182ec19678fefe17a0590cccb35e6b3ecadf7735bd015","impliedFormat":1},{"version":"1db60f08679219a09bf0e9ebf4e5a91c1f35c84b40f3329bd93ad9332be556bf","impliedFormat":1},{"version":"15dbe6ce66935c1f9926df889ca0a08c4430b666ac6898debcea0adc36ad47fa","impliedFormat":1},{"version":"03515beeb4f5e6858c23b9455afefdffb5cd47a525f5b2e4cb00cd5c06c0e62c","impliedFormat":1},{"version":"8216f59c279cf432a8a66f6fd73c3c54d118aec82b7e3aba645e3e8007ad1b83","impliedFormat":1},{"version":"d09a7550d9ad3fc8a5809e0f7f903378fff314eb246a68d9e9aea649d8eff025","impliedFormat":1},{"version":"d9061115b4192c52f99d5066ec91cbb6224345b623034965d5855d7d763f296d","impliedFormat":1},{"version":"917a52afeaf513d289cafc53c19c1825573d887995be20acdd7bb12425a429ec","impliedFormat":1},{"version":"8215cdc97dddfec6d1441d2766dd7f9281efbab65924bd056bd9687e128eb970","impliedFormat":1},{"version":"5bec6d38ed4ae1380ce23dec5a30499a7820e00050f5d8fa2ab52ddd36bd867b","impliedFormat":1},{"version":"b76cba0aa74ec977479930f779a36e890fdc2d13964aed239895838be4425a96","impliedFormat":1},{"version":"60ee8194bc8fed1cb9fb12d54bd8816732b85217d3faeba5eb1719b8fc1734aa","impliedFormat":1},{"version":"e5fe59d781b28e3686f7e260cec28fb25c52f02692d0e59437f6e65672fc36c4","impliedFormat":1},{"version":"de3648f0192036c46b0313af3dde52be9fc93ce1cab5a79d0ffec1f4e3d4e2f8","impliedFormat":1},{"version":"dad49cebf65104c23f67dc31f394d8cb356a604c7146994f4d711b4838a37d43","impliedFormat":1},{"version":"f851a5f903d8912a4db5f60aff0638ef398756e5665aebb97f589977695fec56","impliedFormat":1},{"version":"3f8fec494776c860f8e0cf490ede6f9afddec3e8663f4001ce2a101ebf7ea796","impliedFormat":1},{"version":"11e78e95120bc55e0ea18e37b67c5e27b96409518c509f90ed5002107b528e64","impliedFormat":1},{"version":"1a70db46c17bb7fcafcc991e1717ab94b78208c9d7b18c6e79f4227734bab841","impliedFormat":1},{"version":"18a9a51df44b3c9bd293c23f617090e4dedfcfba7ab27fd33d206e15f5c0001b","impliedFormat":1},{"version":"a2dab2f35e2c669ae708f5a5d360a7aae5b11565dfdd90fe748848922b4a8c85","impliedFormat":1},{"version":"24b8d7275fd4ca5fd5401095c62d4b07cd085d55509368f79f5994b2009cccea","impliedFormat":1},{"version":"7c7b49e40da80da0e5e015c1911b2836179232d4dd98be2c094f338e04ba0b6e","impliedFormat":1},{"version":"746c0ce00badeb9f778868aafe4396c40761a69fd54b3148afc8b37d047d873b","impliedFormat":1},{"version":"fab3bcecef5082b095979ec056c8f2fa4e31ed91e3f259ef6f9621323371acbe","impliedFormat":1},{"version":"6b82d98d1e1b78337186011496c0175281aac57dd34f877f339dedc135a6df06","impliedFormat":1},{"version":"5391f9721dfc92f337dfccc3eab4e23265c7f3668367dc97dde138e56a62e215","impliedFormat":1},{"version":"3052bd27bc371e5d61887a85b6f23151c7bbf8f801a3d521d35a971f0d9b0e1b","impliedFormat":1},{"version":"a27ae33e8f2563aa6fc853c5f5d8d80d734ef7ba9f2e2f4a110be8b3e3cfb870","impliedFormat":1},{"version":"ab1d0382851564c048a263ee44a48f20c724c59696cc97858dba17402d402cca","impliedFormat":1},{"version":"604ed425c45aed8fae34aeecfdeefff7eed0563359bce8baa068545e6cb0d235","impliedFormat":1},{"version":"0c9f8d2ca427004ee5a8f08464e7086b897a22cd586fd718988e0a7f287ec3c6","impliedFormat":1},{"version":"7eb4277ce0b3094c105c2d72a6f348255c851a5c6bc45f97c6418d3d4883a3fa","impliedFormat":1},{"version":"76c0591d5a59f0e9c33bda36ee8ab60bdef71d7b0f03be065010e5aaa44037a5","impliedFormat":1},{"version":"8cab7683337e440accc4c005b9bebad0336ff14ce2b1c592d8a0341ec33367e4","impliedFormat":1},{"version":"d0a965bdfdb6a6a8f7b04997c23079e28f3cea3a27c8e577103900e09487f9fd","impliedFormat":1},{"version":"754132fe6044269fc1af78408c5758d3fe26fdbf508718c0d5ff82c03c978675","impliedFormat":1},{"version":"d55d49516f0890085a63ee2b49e0dbee04e11506600a1dfd51b5c2d76661c9dd","impliedFormat":1},{"version":"c7b2cc6a533df8e99c2417d3959b012169c975619ef9331972fcd4b1766f4198","impliedFormat":1},{"version":"d68a447e87437ba34c27cdbfb59ae1af3a9ee8111c02e4585b70b074f9396934","impliedFormat":1},{"version":"f6717ce65b9ea9c85912e617810c196391b30d460ee8bfbd57e41fd9b93f57f5","impliedFormat":1},{"version":"7c7b7e252e1c958ae44c6f78d507fd3c55a2b0c66e26c7ccf535d2d20ccc150a","impliedFormat":1},{"version":"8c9bee59cf478fe07c4740daca80aa508ef54688e9f021a96d17a14ac60e31ac","impliedFormat":1},{"version":"9b90af66ca3f6844250d2b731aceee869991571a095ec9a7259619520a305f3d","impliedFormat":1},{"version":"4149a3671c4712052252dba067f128ba9d085bf1a66e1d7c339ada9c3f0e2fdb","impliedFormat":1},{"version":"16b1adb96e04923703236245679ecc8aa2749980a24391cd7a6a9f793b460119","impliedFormat":1},{"version":"67fc8c4fa5dc0abf1ef6d3ab348a2c43be354d0b29aa04a2f16cdc1525e12cab","impliedFormat":1},{"version":"74240832859d68a0211296b55c8c47b18e37e36872142157fccd0a12b6df4228","impliedFormat":1},{"version":"a94bb7523194a2dd872d493ee97f63fb0454d6e2856f9a8b67011b4bb06a4bb4","impliedFormat":1},{"version":"dcb180cd664f848da2c40f98ee75e84989e9d9f46b513fd331fa4999971c182b","impliedFormat":1},{"version":"83d83ce5d0a00b88ede49cdce3743654a4ed831d4b87e7511a0b4844cd9252f9","impliedFormat":1},{"version":"d93846e922ddd54f9dcef91e0d742007aaf3c01bd511e5aaa019ac2c02c4cea9","impliedFormat":1},{"version":"af1f935833138b708676aa5716e4a2b30a1b9b431033fd27ddcebca7100bf5f0","impliedFormat":1},{"version":"ee104fc3be3ffda23a66e638167c346ef853b33b5083ce7e0a150a6b41b5479f","impliedFormat":1},{"version":"e2b3e47db37188e41c6fb3e2a3fcd48527a7aaa690e4d279474cf345bd631116","impliedFormat":1},{"version":"d932ca6ac75f4c41053b94dfc713d3f58fc7419dbe2a76cb591cf83c03e05375","impliedFormat":1},{"version":"5f48cead1e6d7250daefc2f31b96481f209f4921b7bc9f04b33542327140dd80","impliedFormat":1},{"version":"15bd5b96b8d796e79c7a4c4babf4bd865c24bcf4093dd2c53ba496bd242e1f3d","impliedFormat":1},{"version":"69dd472a6f506ab72b0b8f7107288b349dcaf76f30b829639c74f70cbc71011f","impliedFormat":1},{"version":"d64a3f0853a570b529d33949dccd64dd6a6f8e9a6869c39aa8cddef77ad0259d","impliedFormat":1},{"version":"98fc6830fbedcf0ef5b1c621fcf88dd4a48d1a5e5db769946e209df3aa085098","impliedFormat":1},{"version":"e95cedc21ce1e44567ca69520c3fa03e45be7b4179e9c8d2e074232b8fb0b35d","impliedFormat":1},{"version":"399777df73e6232a296fc530b8c818323ade7259b03bec7ea51375b281f7294e","impliedFormat":1},{"version":"cfe0fca98caccf52574306b086998c8a2f4d0421ee5c846a0e6ea7b62c45641a","impliedFormat":1},{"version":"3dc41e9e459a6f6753d69aedf535a5b8d0fa389f25eb0e581727ff64560d8bd9","impliedFormat":1},{"version":"619b6f08f7e95a0bd6ff85621de92d24f65c2f2dc4a109dc78ae1939540b145d","impliedFormat":1},{"version":"ca9a6449ffb4ad480984c051c2fbb26087f40a2fb93fbe03052fb3d81c44876b","impliedFormat":1},{"version":"276ef457a9533ca700bdd152c88cfd1ebf2b468da7c535d9b4fcde96d9869f19","impliedFormat":1},{"version":"6ed7cc71d4668957e00e622ec36718d7de93f8b2bdb764bdeb97d23dc463ef06","impliedFormat":1},{"version":"354cc5f6ed65fe2ff6fb8b117716eff61275ecb04e637e8e9798dc3222154f14","impliedFormat":1},{"version":"c22a75475a993a409f4fb255b359587b6d3c62585008631f9e748f77c9c949a2","impliedFormat":1},{"version":"263134d9d5993987860b8bd7af82ded88d0330f50426600de4500d734a6beaa8","impliedFormat":1},{"version":"45f46d363e85c5a0d84b4430ccbc13f479660b85412a105f7dc7b4259b5ae574","impliedFormat":1},{"version":"3d8e9cb24ac960272358cb19942678dfe3fe9d8c237e72aa5d336b58d53dc9ac","impliedFormat":1},{"version":"85ee8f20aaf08c33903ec25df9219fa488cdd2fe37a400a8dd8103c7fc3dbc07","impliedFormat":1},{"version":"37290e84fde86f35f7aa0cfe306b085e90e2f349ef859f02ac54d8dc149074a0","impliedFormat":1},{"version":"515f1ccce6cabcf55b0bcdb4cab779a7c438221e2ef935527593316186d12e16","impliedFormat":1},{"version":"eae62192d1b137aaf1b03bda424b03ed72000481d4c584b9eafb0f2fc8b9cc2f","impliedFormat":1},{"version":"a025415e5526fb04a20f05979126721681f317a01f3341853e69490cb4bc44e6","impliedFormat":1},{"version":"ad2ed280e2a994ccdb9f5e1021c7cc27fbb4344bcea7dff819c7e3486b48f149","impliedFormat":1},{"version":"fd2caaf40cb9b030fe1c79f6fb1190341c1228d1ed15bd30fc32accc5319c0fa","impliedFormat":1},{"version":"08ab867725d9790c6e9fb013d090966def2173af60a5d30a76c38b0aa9b18d3c","impliedFormat":1},{"version":"ef3e33fd47b06c910ef5e22644348ae472e375dada57101377dfba2471bf14ee","impliedFormat":1},{"version":"c9090788cab814e2a3e1e4e40d6277d9546062522488238d6662907008357ef3","impliedFormat":1},{"version":"3fbde796370d305e3feedc8f095d60ad27984d5e83c4a4fec9a8b0c6aade4977","impliedFormat":1},{"version":"b12225e53b8475702d06e223104b29d1b89d6853d4aaea1bf3af8d6728cebfd8","impliedFormat":1},{"version":"0601b30571203b3b772322fcda631ab43d17fb291d93b33ed32bb303f0cc8629","impliedFormat":1},{"version":"01cf8d1d4314d15b2d1a254b3f7bd1b0180b3e5b3a519131773c41d7640d26b5","impliedFormat":1},{"version":"9821b950ecfaa879470f8777fb5d6477c4cbf51535e75a5481f580984bdf1b00","impliedFormat":1},{"version":"b0b4b43979a1ee3fcdc7a171f4458c9829e44e0dc34825ab0b8ad17678108a9c","impliedFormat":1},{"version":"4cf4a3d33ef2ab41bba5ba8353320534225bcc41298e352195b48f3b1dd590bb","impliedFormat":1},{"version":"f2af499d4e77b209916282c0e89afc19f9badedeb12438ae8fc8deda7c26f79a","impliedFormat":1},{"version":"b89874c3f3a851d840e2a02fcd50f37531468f64236a6698d7b4e45921cdae54","impliedFormat":1},{"version":"f08bacdf8a2d9585656a106f70e39f17f4493e57b27d74789508783b31059d0c","impliedFormat":1},{"version":"39e52f6556dfd29ebe4c27cc80dff0e1f39bc4aee15e9f2d7e2566d6305ae489","impliedFormat":1},{"version":"6dc3b7c621df1de66372c10590c577cc78b2b8f400d6b73760deab45e900f37d","impliedFormat":1},{"version":"ba55a2c857a7b7be6f1ca56de28e572278102e1c4f0c0adb82fd7189a1f72087","impliedFormat":1},{"version":"75633295ee912fc9bc2cc97c6d49467194d3a7efd508299fdf49d3150ce5d0f7","impliedFormat":1},{"version":"6389044fd4b1e197f2909735cfc4c9c36ab60997765211e4729d3eb084514a14","impliedFormat":1},{"version":"a249e0267f67aa9d17a34d4f6f66ba497c35f4794dbac7a9562867f9058cc94e","impliedFormat":1},{"version":"bc27229d3ead574431746469ac795fe2d26f92d8c17bfd32c6b7d5a87ac21d40","impliedFormat":1},{"version":"a59d770774302bfbb714d8efdbd2f1ebf0ebeac394d4691da865d91e1568b21a","impliedFormat":1},{"version":"e7a01b1ff34b58ba4c32ec27926e968545a788bd3842370dffd82f7ed53880c1","impliedFormat":1},{"version":"4389d61584635554575e08bbc742c9f9396b014d4020c529ee2e0fa6ea33e0da","impliedFormat":1},{"version":"ae35726394b78565c1e31596327b39ef093f10553a9d93211820430e3eb12f30","impliedFormat":1},{"version":"79e2b7c326f5597657beec5b7fde02230212c4e90387fa2ee786c2706c98381b","impliedFormat":1},{"version":"2344010e666a4f71021b4daeddb495a7006cc37193052f37ac3ffd4057347f1a","impliedFormat":1},{"version":"9883753dbf22048978896802ffa68c45979fcf1a733c2d2c8d5b0af20fafefbd","impliedFormat":1},{"version":"140f114921466842827a6e6b9bb2e685660265f32704824842e781cc6db89d6a","impliedFormat":1},{"version":"5ac147fb256db95d00eed0057967e11ce2b7760e46ef1cf465688ea24b6e336b","impliedFormat":1},{"version":"a256fde44cb4caa9c777b1bb241140ac145eaf1e479f8dbc4a20dc88d99520fa","impliedFormat":1},{"version":"3942de1dc8901b3d0bcb247085e575a9ecc2478995b0e7c95b7633a4fa0710c3","impliedFormat":1},{"version":"63d3bbc2250a9c1c75e76189c7189d377bd373aca084df9e837e3f0cc56301fa","impliedFormat":1},{"version":"44089c1eac8a3c20895d837960e7beba59f1d1088070235e51e21eb8caf6dd1e","impliedFormat":1},{"version":"0d52bcbc2d3d7f47943e26ddb6c4684aa891613dbb637e060306e3dcfbd552ec","impliedFormat":1},{"version":"573fa9e2ccddd27806fa0f9b4d76114a5ce7b9c9f3105571c43b377a8282ae3a","impliedFormat":1},{"version":"ea3da74c3e88e818a8f7974f57f9c0b921b6b41e40e1f02857a4237b8988ce3a","impliedFormat":1},{"version":"371017fd09598f4baff5b75c567e5138881371de3ba15373e76e3afda6c144b2","impliedFormat":1},{"version":"e67b317f7f4c1d652031d95101b24e9308bb6632af012c3c0d36d0d5f530b681","impliedFormat":1},{"version":"0fe44ad59c1fb3d1e50bf08664fc0935e13b0c30c4151bfc755849bcf1d8606f","impliedFormat":1},{"version":"e297d939c9cfac7759ecd817c6a9b47daa8c8b0b2498ad580f0676fcceba015b","impliedFormat":1},{"version":"6b08e3337d3f7a7b750628dec75bbae297ab9f6a241ba61c5ac51e33e4c321f1","impliedFormat":1},{"version":"af5707944609de999aa103f481c68cde34d99059236d55e896d2f53ff584bbe7","impliedFormat":1},{"version":"b9b1008d26fd9c55d66a2f0021a96a4c673e631c448ce73d37b75e8213866cb0","impliedFormat":1},{"version":"79d53bcf828132e443efc26ab5ea14b46e8da033c50c535b18950851bf46e3a4","impliedFormat":1},{"version":"26361031b7d8c04e90cc69d25e8234d7efb246b363b301a29f807a6a0526478d","impliedFormat":1},{"version":"c5f76a999743e5e03a7d311876ab5ba8e3eb0a6ba9ab549f57ee58981153a31e","impliedFormat":99},{"version":"637d1579a6a5abcd1c66e8fa2eaad33665d3e7623f3f9a0ff417cf7b4b48aa62","impliedFormat":1},{"version":"2620da3a2a92c6e732bbec8a0c5780ac4883364a69dc401eb3ebf4a9b7289b83","impliedFormat":1},{"version":"df40a4e649303feb4cf654e1aa1bce8ad636ee3baa5a19bd9ce6721b9c15c81d","impliedFormat":1},{"version":"f71d3bf8981c88cbbb4bbc4f03b8d59fd1fa2fa05facd33e896e3fbc3eaf5b0c","impliedFormat":1},{"version":"7f6336d3d4e26d3767a61011da85d8f87e730b37dfbec75826d1f8cf8672459c","impliedFormat":1},{"version":"274d8c8bfe030fe6beaa4138a1fb6d8e415646f203c8082bca2bcb05ba3bfb2f","impliedFormat":1},{"version":"095c09bce79ffd9a72b151f8c7141d3dc26431d66eaeeed801a3578032f94ba7","impliedFormat":1},{"version":"9c9f786ae50f360045e3b830851797d9776ffc6c5e80ca24290be9ab677a111e","impliedFormat":1},{"version":"77881c56ac351b035b825ea663519286b6741956c20269c7024e2dbc0197d18d","impliedFormat":1},{"version":"cb59a36e74dabb46f6665c207726d2e8c9a3830e984971daa4dbeeeb937c8a76","impliedFormat":1},{"version":"19d94c4070065d8c90862591f32ad30dda305bc6152c2aeee69a5df773a453ea","impliedFormat":1},{"version":"15f352860078ad388aa61a4521eacbd0f92d760eb0e37630f6d283c2c28af354","impliedFormat":1},{"version":"44a0f94cfc395675ae8b3885086511a1839651cb489ebdf87bdf28247d29a16d","impliedFormat":1},{"version":"f28fc3d405e388904cd977a7ddce5a51a9a6d3649a49552cdeeac9c76bb25503","impliedFormat":1},{"version":"296b35cb5bcce1b804f498b6fda7451f8ea0e8cb429c756904c72c2c91e25531","impliedFormat":1},{"version":"e8a112d3b8b9813ed17fa006b7a1956cedaf3815f4cf51384ceb2854288a4dfb","impliedFormat":1},{"version":"46cefd63181e6d876878b34ad3b91902f2c1c1fa276a943694af0599f031124c","impliedFormat":1},{"version":"70a1e1be28ddfd8d3b255659ebde5563c52905ae6e4ea7474021cedb36f7d22e","impliedFormat":1},{"version":"b77b6311babfa69decf3b7cccbf088e538aaea504f4cad4b4b841af2689ac011","impliedFormat":1},{"version":"b2dc35c6e03b2a395a1d1ea0b62bc59dc271a3e75c566d6c51a8a4fcd54f910c","impliedFormat":1},{"version":"033cef0aad2bb8fd84e0ed77a10993e93e2dbca0f407ce80b8e89bdcdcb7f896","impliedFormat":1},{"version":"865d9b81fd3b2102f65fe9e2e843776b558132d250a926a16b38aff9e696d6a5","impliedFormat":1},{"version":"b6fffbee1aed5dce3a2b28ba9ce570a6121bdb5a34faba58290efce589cb6754","impliedFormat":1},{"version":"d4c99dc22131b1e65f84d19240e325421bc19dfcc08f5ce088b335d4f1fe34f4","impliedFormat":1},{"version":"57fa0095c2859094691afcd8349073e1147d306c65b287efa0d75b42588553a8","impliedFormat":1},{"version":"84d1bd0e6c584c23052096ffcc6f1a8e14f7f1ca11d4f525128b2c4bd893c7d6","impliedFormat":1},{"version":"7a2dece5296b8d1801c70836cc77e08c5ccf9ce9133de7834f80cc35b606dffc","impliedFormat":1},{"version":"f8dbafc8d21974edd45f290a6a250aa956f0691658539e0d45d4ce36e661c0a3","impliedFormat":1},{"version":"49b67b3a1c43f0c7bec6d4268d5fb93dd590b8b75c9eb3da52e387b180dd1c9a","impliedFormat":1},{"version":"51f28791fbe5e70fdb9c91d5d27b43e56517c36bf08b83686f62d134e5d6716f","impliedFormat":1},{"version":"088358ebbc20cc651cc64f748206745b75bb1ac6a6571636a0d6020277375a79","impliedFormat":1},{"version":"6a16e01a93b287a8064ae4bacaeb5925ae41509811c1a406669f62efc2dab864","impliedFormat":1},{"version":"34e27bde53149ee00fd355588ed4f1e1e665ff50b15be6476b7f240cccef369f","impliedFormat":1},{"version":"44ff06bf0587621fc5c8f8575621be621cbc4df5b2b80a06a16e5dccb9876385","impliedFormat":1},{"version":"087c591ebb3628e364f84a3be45e1c7ca9b469c120ea15339a6dadf7ebd56358","impliedFormat":1},{"version":"bb2f7056499934287778363c2640001fe2ee160d290f5e7cc08dad9e4029d45a","impliedFormat":1},{"version":"d7df55e515de47bee8c0766b0512f043ae93752b1689a0cce23e6b8a42f18dcd","impliedFormat":1},{"version":"5ee1e4fc68a82343ef3837e99cd1fce0bdbaba1271da68016cdbbae362ad816e","impliedFormat":1},{"version":"22ebd8a51d1783aff423067fdd88fbc96fb17ebadfb117ad2b25d21e4e22cb34","impliedFormat":1},{"version":"4ac88a143c9342db6e1599d9dfe47f0e0f53554dbad2dfca5dbe7ae5952546a3","impliedFormat":1},{"version":"d06fe49a2691f85081f2b7af3996418803fedb123c03a8ebb3c03c61aecbf5c8","impliedFormat":1},{"version":"43d0e5bd24b58b109989af4d57dad2b06bda3151ec27e1ce8fa10b773f433d57","impliedFormat":1},{"version":"ebd1db93fddac1aa841af2feafbd2a5d7bd0637801c2ccf27ad2fff8c9477bce","impliedFormat":1},{"version":"a66f2c7689b5f2fbeca5da73cfdece848a7a2edd300d7830dc80b25e5a831202","impliedFormat":1},{"version":"c64fc4296727ef52b8b97a80379202e413c88ed7e6a7453819f7b518b2bf4adf","impliedFormat":1},{"version":"b93b56199cf18da92bacdf43f8921fd11fc476f3c46bf2cc0f6af7b7aef6021a","impliedFormat":1},{"version":"a4649460693aa20f2b38b7791f8a2f5c845fca83f8757c23e8b493b957412daa","impliedFormat":1},{"version":"aa1e9c8569995c48933afea506f9fd7c0d52baa548cff03848a3ec5719a4d9bf","impliedFormat":1},{"version":"c7e140402ae4daebf77f2865a5cc4dc9b1412e1ae109c88724ffdeb1bf19e77f","impliedFormat":1},{"version":"40914857500f0460eaa6fa424307ef17c35b3b98f609eff38f9f819259b10423","impliedFormat":1},{"version":"b2f515c722221fb526a969837a175a13a61845acfb5596733660cf07d24a7022","impliedFormat":1},{"version":"5ebfabee94730d299111e2b974d66713cdfbb61b594932a6d2bd28e72bba05a1","impliedFormat":1},{"version":"647a9474f10624fa95a211a862084d02c8fc4e649dbc273d43e922d352d98ee6","impliedFormat":1},{"version":"0741f2f6c55083ae6d94604961e6c0c76746d807bd6e315e87746f3165b8df96","impliedFormat":1},{"version":"999bd1e06ec3d1f87e771d6272d4cfa090d7319bb78ddee80873a2c7180b385b","impliedFormat":1},{"version":"75d36e8ab96636bb2ce9b3dbc8bfaccce006a407ddfeab60b9b08fde4181621e","impliedFormat":1},{"version":"2b9a98fde032318fcf4360444686e9bf7959df7361eb308375c37a6dc7a10e49","impliedFormat":1},{"version":"d4cd6138593ee229ccbb5a069d34a66e4340c958370e5e927a51a49460619aa4","impliedFormat":1},{"version":"e46d624cc7dbb89bfdcbd1c86113c3e79cb130c7f6168877d389da9b4471bcbb","impliedFormat":1},{"version":"e7aebccd51d863f0a0c08c5413f5b50c2fa92c7ecfe55ee828a40b8aa7e1813d","impliedFormat":1},{"version":"234921da5ae27a2f3778f1ee259a74c46b1e082a9cd3b531b055e16f1b96c80f","impliedFormat":1},{"version":"09cb2afd863f361790aab536656a19a4f6394569a15f675a07313ce3e892590b","impliedFormat":1},{"version":"a71a47995ee00b1ca76e8b9ba1957cb102decfbeecc18d95a475304b98fdb391","impliedFormat":1},{"version":"6b6578ca4f466032fdd81d47d967a2efa1b1d3f6d8f928f7d75cf99426a26ca9","impliedFormat":1},{"version":"2b4276dde46aa2faf0dd86119999c76b81e6488cd6b0d0fcf9fb985769cd11c0","impliedFormat":99},{"version":"56a37fc13e7a1756e3964204c146a056b48cbec22f74d8253b67901b271f9900","impliedFormat":99},{"version":"5ecea63968444d55f7c3cf677cbec9525db9229953b34f06be0386a24b0fffd2","impliedFormat":99},{"version":"b50ee4bde16b52ecb08e2407dca49a5649b38e046e353485335aa024f6efb8ef","impliedFormat":99},{"version":"0eb4089c3ae7e97d85c04dc70d78bac4b1e8ada6e9510f109fe8a86cdb42bb69","impliedFormat":99},{"version":"324869b470cb6aa2bc54e8fb057b90d972f90d24c7059c027869b2587efe01aa","impliedFormat":99},{"version":"06362d62344786440c6c9eabd8e4f3240d3001c51480e4113072629782a8ecd6","impliedFormat":1},{"version":"fe1b2a01afdff9810a5205ef2d74384b815a8d5694286346f62d3cf1bd987fa3","impliedFormat":1},{"version":"6f9a2f44098f7f2340ff3244a6e2dfc59c3d6bbce3988e6cc8ea8d3a979e09e3","impliedFormat":1},{"version":"a0a6e788cbcdc34a7cfe08731ebdfba8d3f28d5a118727e687bb535f8098cef6","impliedFormat":1},{"version":"14b11a1eb2cc1bd72e21718e6a8e1d112fc2502cffab7f6606ad8338e5cc7917","impliedFormat":1},{"version":"f3576b01b35c48ec5aeb01ce767ff580777ae89c75874131127b7c184fcbde3b","impliedFormat":1},{"version":"835b0b230e615a3169c9fdedfc7ce319b41bb3e1f80db7d86704061aff8fc3be","impliedFormat":1},{"version":"198a3f36621a082b8beaa87c71ee354f1a87afcd03350c03ad9afc151c076035","impliedFormat":1},{"version":"fc963da723bddd0988a0fc5dfa5a48ab1f69c39ce6befe19d2d527c4fef846d6","impliedFormat":1},{"version":"2bc118f5a59cc35119df56a1513e9a16d6f21a160159572cac8cd28ab90e60a4","impliedFormat":1},{"version":"6f5b42baed63275ff1da3231e345ddfef5e2b475b870e50b5712e53d5242de5e","impliedFormat":1},{"version":"283320f9a1580b51e4118b98813e1f5d69deeca076a5d830537230a21f1fb2cf","impliedFormat":1},{"version":"33d8fbdb3ff691d7a53f7b742b3a72f251fe2000470d3262116f4b0672c5a611","impliedFormat":1},{"version":"1b955a96bc1dee61a0421c673a8dae977beb2194cc822f48524b88e771a849c9","impliedFormat":1},{"version":"7bdcec3771afbbdebe314cc60ad960d7845f127db64e85538540c6032c312602","impliedFormat":1},{"version":"9b37fe8dc52ac68bf4c8e52a15254b2ba050095755abd9fdf0ff579569434640","impliedFormat":1},{"version":"40cc0750399520779410d43371ece355213e3632c97582f85b96687b9a1a9720","impliedFormat":1},{"version":"bafa3a2902c31224238427ba4bdc724078a1386d3b0f2ad701ac990d87e25a59","impliedFormat":1},{"version":"850762649df344a1f0be56b02417b7fd0d291fc013832463b401252d4a066a80","impliedFormat":1},{"version":"b599c33e84efe8ef19d4cc8baec02545c3b13e9a6e742fe74b63812a23565d59","impliedFormat":1},{"version":"c30e42955d53ac30915db7efe63d42728f6d5e48dc943e401ce8f590392bef3d","impliedFormat":1},{"version":"598768ca4e74fec68d944b4a7a9632cdba65a174cfc91ac864fbec156a08d7c5","impliedFormat":1},{"version":"761315b2203408afc92f352b89084b778564edbcfd8a8e331d8c00a4df349f5c","impliedFormat":1},{"version":"acd3086fff0acc16aa47bb586eabdf66195f032c4d13a0becf42a9f39161b02a","impliedFormat":1},{"version":"768c5ef2ca6b0ad181ab7555b13e4717b28ce1caf880a1491774d65d2da7ebd1","impliedFormat":1},{"version":"04889d694c35559b1a777d3029ea1e9307bf7f07e16c133028096d09f946303c","impliedFormat":1},{"version":"d94d916d47de77384fd9516972d03907fe196c5180bb2fd09a7797e5ce93a2b8","impliedFormat":1},{"version":"9b95cc27ce2686fdc4cedb5ece9bd8cc70f82ba95923047988eed340884f2290","impliedFormat":1},{"version":"8ebb5e6c99376202c4b4e6c4fb905eba7cb7539077c0a3034960bc93e19e8c9c","impliedFormat":1},{"version":"df1f9f8ab8d2c301a267d8c70bf64682d23020c122cfba9aa3be3293bb04500e","impliedFormat":1},{"version":"2d0ae5a8bb6397a4306c03d85e7ac436b07890d81fa5842c62e89cf0d810b121","impliedFormat":1},{"version":"32b092854679630de093aacbd7c51156edc3102b24f17fbab4552cc4fad9a877","impliedFormat":1},{"version":"064c6a3df6f5f84a5b07bdc2716beace698365006f7403cc1bcd61ea6528a0f8","impliedFormat":1},{"version":"7a524185e188d3e9116e6f961d6fc4029176c0a221e8fabeae9f04608aac89f1","impliedFormat":1},{"version":"6d32dfe3de306d93457cac9836d9a89c656a0617eb95a1079104870511b2d69b","impliedFormat":1},{"version":"718a1f87ca358fba66ddb3410716701cc81003adc441e9e40e679668b7d9df89","impliedFormat":1},{"version":"e6eba37107781fd2a62cb46786c0509c07fd7dc89cc21b1b6ca2e4740759fb51","impliedFormat":1},{"version":"3b5a12e4b65bcc0e6415c36fc4a8368a3f66dd18dc7ff0fa7e27c91a6c7ddbca","impliedFormat":1},{"version":"29e80bfceba601f27829ac9629d745149044f63b87ed891b2a9c4b35e7457e23","impliedFormat":1},{"version":"6fca4b8dd1efdb4f997bf4c57becffd45312b6f777030600a63619666a9fcf1d","impliedFormat":1},{"version":"0a88c1ecb8b7c0775e157c221585d212dee9f014e54a8378e72ede082c16a8d9","impliedFormat":1},{"version":"1db498c9973a6ffd01cd20504b36174e42991586aae0e19961322a0155c94a8e","impliedFormat":1},{"version":"5ccc6e237dfad556def12cbf9f84bc5c1e94702b4aa18dc6999972505182023e","impliedFormat":1},{"version":"8118c802f483b10debb45b5306c02667d5c65574451be70b560efac9978bb758","impliedFormat":1},{"version":"3bc39f97d28b31bb398dd27f9a2861f8d627b77a7c55b03a89549ba41f627faf","impliedFormat":1},{"version":"2b63832175fa9063307150dfbc0a2d12d13a6b16c09a0b98a0ea5def042c5cda","impliedFormat":1},{"version":"695797b3aa347f615fde45f36a2ea1d6585e300bdc638449ea22006b0b022129","impliedFormat":1},{"version":"c7ca45a0b2618fe005938aa83a760e0fd01c7a1910848e56c618198fdcc67e44","impliedFormat":1},{"version":"7cb32e72717cb00d0eeb810c758369e032b32821f717a69f18b208284c1f1a4e","impliedFormat":1},{"version":"03e1487f89a5453b307e339d841baf9aa1cdb907208daf0652ae283f4c2ef4d4","impliedFormat":1},{"version":"d856eb2a877870b84bfadfdcdca1e063320e9fbb226a3e43c488f37bbeae5b4a","impliedFormat":1},{"version":"61a555bac5913f95a70ba03c4f4b9a1a6fd848952414db0cbee789b461bad64e","impliedFormat":1},{"version":"5247db87131b6a5a35bf58c41fc28e16f6c3eca74483a3abeafa66fc582bf81d","impliedFormat":1},{"version":"7ddfd0956433fa94e61c79ba0141db44eacd047e308511b05333f74c91084d56","impliedFormat":1},{"version":"eac167cdbad8ea8143f9a5b131f9a571d4dc72bcd8e27a55078605bf3b150a88","impliedFormat":1},{"version":"6c64aed8127779052d27a86422ab87b97cb0cfa1250e7804b65d516b931e58c6","impliedFormat":1},{"version":"fc5f833dc8a68d152587d18260d5714c58388092d5e72568b188a607e43924c9","impliedFormat":1},{"version":"09cdb8388c30eb5c85aef42c36525f64b908e2ce86434c5628b2e16399d01444","impliedFormat":1},{"version":"81ef937077c0bf467ecde4a37f851e4e8fc883d4ac4c33aa33e93739909edb5a","impliedFormat":1},{"version":"d0089c1f21f2907041849cb625c097d30e9a38c2b0ba5c34e280095d0fe2a6cd","impliedFormat":1},{"version":"3860e9a6ba8dd10a422f7d40a04888eda236f62e571bac1c14102ce021e061ff","impliedFormat":1},{"version":"0d5bcca9de4cece992b2550c927ef8bcc186b5c557d1f5516a86fd7c7920a1b1","impliedFormat":1},{"version":"886d0af9e8537c6b80a02f81e49c4cea7de528ae0bdb5377f8f367d22cd86aac","impliedFormat":1},{"version":"15541a129f98c5977b53a414223ef0c8800a0f0b59a9831a385670054f05caeb","impliedFormat":1},{"version":"84b4906e3617e69f2e89eb56463030133070ee20f6bed2307eab7e1fc80e4fd5","impliedFormat":1},{"version":"04952c268ba2fec5977f78d91932fa55806d46969be7e23a06fc5843131cfd60","impliedFormat":1},{"version":"665b86c34152149f732b195251b3790c2d75b7126fe414e7d9b06590e85f7ed2","impliedFormat":1},{"version":"6f16b918051907a7b20e0e76901cdbcdca106a3534692adf024ad28256858048","impliedFormat":1},{"version":"6be3bca801a5c75eb4c0b4739be1bdd98f616de6664434a34e7cb2915174a8ef","impliedFormat":1},{"version":"0b41c5852fd91c138bc9fa6c81922bf9936fee5a8a80443ddea0747f385dd71a","impliedFormat":1},{"version":"bf6ddb8eaf63c9ad2a75f1f8c6f4ca6bed688997cdf9d095e1e1dd06daed8fc2","impliedFormat":1},{"version":"28a53113c5d2cdd26921be20c2709591c2a94b892b7685ba52d9282df74d6e3e","impliedFormat":1},{"version":"93119e8543d30477698737f87933ec5936777273db5e91076b469bf2d4fa7fcc","impliedFormat":1},{"version":"6f85da996b39f9b780d3e4c28a5f56027f0bdc4a95c7a5cabc9c97b270359bb8","impliedFormat":1},{"version":"65b719d0c65ca3e2dbcb55cd0011bf75b8eb35f9a26690a1f615daadde72c345","impliedFormat":1},{"version":"c724dffc190e0705f2d1ade7c3f060611eb3a342ab6b3766be0ce564466d6794","impliedFormat":1},{"version":"43c3c8c96662bd8cd7a985903ef5de42205bf04fea2ef6a0da6213264ba3651b","impliedFormat":1},{"version":"95146fdfa6e6b507cad8b3f64613e569ad28e8ab4eec8cc635e3b348eb18026e","impliedFormat":1},{"version":"27c1fe6fbec929ae885d8adcfc6cdb0cf34e9926ddabeeb4679c7e1840250284","impliedFormat":1},{"version":"f8d0836f149026ccc242d3b9454ca4781d379891d86d747be69ecd9cf1cd2a61","impliedFormat":1},{"version":"d918bf67eb9ed0492512103b8939667a76ed8a81c8a966669405d50d52b0e060","impliedFormat":1},{"version":"5ef0dbcf0650406475449c5f84982ee401f3ce4d1ada5259db00c918469285dd","impliedFormat":1},{"version":"84f40b3fdcdac181470bfc3abc88372e651f42a51d848d99d57de802a5fb41eb","impliedFormat":1},{"version":"dfc251f05aef5da52339653209abf2d2528648b794cfce0bb53057a3390500d6","impliedFormat":1},{"version":"8df170e5ca5e7bf1e0bd004a69d3bc734a8f211e6322ee4a954c75e3e2b1e923","impliedFormat":1},{"version":"961c3890c28004edd8aa7dff87372aeddf1da987055f45a106433871406e6ba0","impliedFormat":1},{"version":"134b5baba9e9cd3ebeed89ba77324529c2971d82da38963a118a9fb08108b653","impliedFormat":1},{"version":"75c95ece00973f1a62b02deccd1383f14e4a5331ed073e5db154cb752ce363c4","impliedFormat":1},{"version":"97e4ddd31b1bdd7975fef7ab279d31e54af46521c9fef7e4c62df7246064a320","impliedFormat":1},{"version":"5ec8b00d1d11f8257abd6e83e900d88a9e27e3651707000d78b4b156156328c5","impliedFormat":1},{"version":"f85344ec18d06d0bdc9896496732a443bed4e85612d2da8f52c6cc80ab4ddcdc","impliedFormat":1},{"version":"b1a4f40bdbd7faab72d2b68975fd65cd1d7479d3a12cd5e54c050edbeaa7bb2e","impliedFormat":1},{"version":"bdcaeb9b57cb7a0a226458daad96c322d1dfe178662ad5e11bd771ee2c5dd68f","impliedFormat":1},{"version":"7c00a265aae4dcdc077b9effbd906802b96b5226bc2a8de0bd6f40bb05a4c16e","impliedFormat":1},{"version":"aad3d08eb519d6b808831d9f717e81d8dff1bc5536d99b4a3c5473fc8b26f4d1","impliedFormat":1},{"version":"5c8c0bc6f8d0af518dc87aaaed7db876b1d18eb95b10ff3add313482587e4586","impliedFormat":1},{"version":"8c9cd152f35bc2606e611f912f44d52787078c76c9fc3c8cd6872929b0637798","impliedFormat":1},{"version":"a849f2a2a82646bd37ba9c3834e596d83c4fa668fed381dd6aaf127d60722902","impliedFormat":1},{"version":"0fe612176b473c888064f4bb64012b15d31c0c9c85c1f408fea7c4e7adbfb0de","impliedFormat":1},{"version":"094146d9ecaf99bb7fc29a3496d7c062c1475b8aeca2841d2790a80c9ceedd18","impliedFormat":1},{"version":"0fe06c0e28f105f97b56c2e733702da151c927b7ad2bc0d1ddb7dd785cf39d50","impliedFormat":1},{"version":"9e24325e5b7560a9cee65b8a7ae66437664347bed29afbc06137e0297f2a9053","impliedFormat":1},{"version":"7d5245f52669b20a801036b7af35ccd0b74824d029fbcdfb4fea4c743cfb3a08","impliedFormat":1},{"version":"83ae364c1156a128a5424a810fffd9d171ea378079005b1079f21293aaa71116","impliedFormat":1},{"version":"0b4ed95561c7fc7c5dd635e19db0db176c091e1bff4112deb91de7890354a442","impliedFormat":1},{"version":"87eb77f815b106f18f8fcef9c64e5aa8c3d19473e0ad4f60fec317cad5212a8f","impliedFormat":1},{"version":"cf2fce2fdbd89ce14209d697442d8b93bc07dbaa6f8d9c7128abf25f7b078f5d","impliedFormat":1},{"version":"b1f9dfc56c5666891ab36f780d7a356b436caa5e6e9e13a57bcd1582451b0d1c","impliedFormat":1},{"version":"8c3bcc591bfa51b0bede2acc39a100d73793c1dcd1c3de73cb558c7ff8fd4e2d","impliedFormat":1},{"version":"7da78cd965ca1ec3d7ce35ddb80ac3aa449aa8083379ba949a3954e1b75f275f","impliedFormat":1},{"version":"037efd9859bd99adfc052cdcf7fa2e0735b1e467f408d675b57eff978308b754","impliedFormat":1},{"version":"d08d3836dc621640fe49a7e9080dee0d9b97f6ed3bbe7f88eb2a5470ac76d5a2","impliedFormat":1},{"version":"db9b5b1fb5b6262ac098241f3c95ecd14162b1ea7d8133e88193b9902c90a979","impliedFormat":1},{"version":"0f2938aac77bad209857658943bb6466a78975a9933723d44e01e9af7d361115","impliedFormat":1},{"version":"90320bd2323f5eee550a489d6b28080fdea25824bef6051b4fbd41f6c79985ad","impliedFormat":1},{"version":"87f702cb937d327eca520a532d4d4a9479727984bbe3816e9696c959b85bb45d","impliedFormat":1},{"version":"21599e66c92c95c9477b6615d9d6299f86efba2d4370e8b9fc1bc720f19f8e68","impliedFormat":1},{"version":"138136faa1d2a757ca9daac4ba28ea1ccf78997fb88b9d9812a9973a2da5edfd","impliedFormat":1},{"version":"aa80a5573920e685f6596cadb9599a9a95bf9fd66f6b42099814050d7b6573eb","impliedFormat":1},{"version":"4c863f17a9b79c05a2bc31f7298b57632caa221aac7b1d9a7bf32bf1bde40c88","impliedFormat":1},{"version":"a49fe8107cabe8162b9e6afd49faef6ea356eb0d601b3fd1cdb7d7dbb4225c02","impliedFormat":1},{"version":"5570d06cac2d2f5ace1688aabafbd8a9b055da4fb1f9b2e8d7e99c88606a6a85","impliedFormat":1},{"version":"8f5014da164cec4f1e3ea3b9c99191096848d8022ec2823198a1855188ce769d","impliedFormat":1},{"version":"bc15829f674f5b2d9b80dd1f70c42c51f2639f6e791d4c1c4b68a0d3fe3b1624","impliedFormat":1},{"version":"f6b14d235ef38813e577b9e9d71aceb78df8eb318da30f7d3063ef04c2abed10","impliedFormat":1},{"version":"3a318dc56e4d6ce19906e30257a221502dee9e93098c4fb46beccbbc1877dcc4","impliedFormat":1},{"version":"9978a63eac52515366816a16b410d71f90a4e8900162acb4ca9215b76f2fa422","impliedFormat":1},{"version":"30033a24ae44146b647e8aea2c84d51856dcde62870add5df230a27d796ab3ee","impliedFormat":1},{"version":"33d05825e45719f49376995d1819866dd0f9d862f7c3219dd429cd1488efcde2","impliedFormat":1},{"version":"4b859a4d3e2185e22ab2d2ed52c0177939a67b7d4b90210edc13875a8438e2fd","impliedFormat":1},{"version":"04317c46d01f39649647b24a30f74f3ca3a84df6539a9ba3f44b378359328b49","impliedFormat":1},{"version":"0f4b6e6ad4bdc91d3f1d51ff724bcb8f6d70ad7be8a47877b374435162ac50e7","impliedFormat":1},{"version":"e7999757805ca7730c8796eabce3693db1b7195f2cfc9d891a5a22bf9222a02c","impliedFormat":1},{"version":"425db27d592f27e5cd6ebde7449f6524084abd27f1708c386858ac1bf97d1811","impliedFormat":1},{"version":"49ce5bb440fd2121b63e8b439bca3f938016be36f75663768fb6767a705d8762","impliedFormat":1},{"version":"728476e63bcda1ff1a6ae45454f89d0e343dce10e02f687b272f4269c9c103ec","impliedFormat":1},{"version":"ec1cd98780871a6918394f5d1a65890444fa9d2aee8422c54311143c9fcda52b","impliedFormat":1},{"version":"36d51eb7f0dd075e2edc79f120ff6e8d5eda25dfb86bb5886b3036b87ef3f24d","impliedFormat":1},{"version":"f588b174666a77d3f871fb2cea30316f7cdcd59ca9148c721e24315f9d625fd7","impliedFormat":1},{"version":"86bc9ab3bcb4fc16c2df22866b0a0f64bde339b382d527526ebe6cb92b6aa0f3","impliedFormat":1},{"version":"eb03810a18568809259901e2737728372f999e330880bfe7052b80d13615676b","impliedFormat":1},{"version":"19dee02a574e1ead3ad9f7c8321b720d9c727887fd63dbc9b0b91f01386b0f4c","impliedFormat":1},{"version":"090ebdf72416c86118c0733412462c567398da93f517d3cfd97cd919e2264e42","impliedFormat":1},{"version":"ebf2b142ba0777cbeab6e8c2f056abcc2662bca4c5064b9b1b1bd03a992f46f9","impliedFormat":1},{"version":"72ab518e157804db34f49939b3635c6cdb585739d26ca64ba98d7f3e0fc1c2ef","impliedFormat":1},{"version":"0582b30435ff9e8b3ba440a0965a288da33f78783a8f454658d532720d93c7b0","impliedFormat":1},{"version":"dda0f983a92c574b5d20cf5a67b9b23df68ae24dd0836aa97f2631d03ccb97e5","impliedFormat":1},{"version":"c3a01082b6053df1422e2028260f4093005049e397464ed23bc39466feecafd4","impliedFormat":1},{"version":"749944f8007bd777eb35e3f9c087c0cd828cff493ea2714f9541cc72574ab0f3","impliedFormat":1},{"version":"699bab4ea75eb4b52152faa4edc3f456c01a06082fc4f265bbb9c6a52e5f958b","impliedFormat":1},{"version":"32c09e1ecfcdb9337bf2e04448d52429b7154689058f366fc6261a2b4f2aad3b","impliedFormat":1},{"version":"8c514d50eea9e613dc787aa529e1ce54874996c2157b92aed232598f2c50b3c0","impliedFormat":1},{"version":"94e742180c5e32c6e066ab74ba134ce0bb34f4367a9b37ed64320e87387a4034","impliedFormat":1},{"version":"63127c044e6dcb388e50ae9ba7febee7d5960af37220392fc551bc8b301f0ecc","impliedFormat":1},{"version":"1729eb2fcd3bd12fe08cf72266fd7f88698d75af4c9c237235ae1a385645f563","impliedFormat":1},{"version":"3736cbfae05a123623354d1ed19faecace899c362db8ab22059cbfbc556f27c2","impliedFormat":1},{"version":"2705c60e43ccb13b1d1952d807fa6574747b34356ff145b6ce6b425df416918b","impliedFormat":1},{"version":"bea4b2fe46628439fe70cf8884ae15386f9a070f5c36c18c33405f94802c97b2","impliedFormat":1},{"version":"d6b9d3709bca425ceda2fdcdd91b1dfe823ef3a92ee01b029a09bd2b585efb95","impliedFormat":1},{"version":"1e02c721f18ee42e234d2744ee08b5b69ad206c4fcdb97b31eca55cc880de378","impliedFormat":1},{"version":"f359648a230e3b09eeebd086a9045f4bcde21413492f4bc6f0f0fa71daabe846","impliedFormat":1},{"version":"abf49444d7806281cc8fd2e207ba2f907648c713fe9492eeb6c99d2de6cd72d4","impliedFormat":1},{"version":"1179a845e016cdeae7058a3c3cd44257d56740ebd19ccfa7aaf65c9cf3a9a7d6","impliedFormat":1},{"version":"611c98ea642429f3954449db38a966d9d28fc4df64f9639ffdcbb9aa36e9a12a","impliedFormat":1},{"version":"6c3f6300cf66ed5ef36c58134e969616246c987fb05623f8d6c83f7e230da91f","impliedFormat":1},{"version":"0140c8335ba27a27f264138c29992982ea18fe2203c4700729739324d2deb7c6","impliedFormat":1},{"version":"74eeeaac8a1ad64033c0bda3cc1235ef9cd5a28d01b272778d777eb7beeca1cd","impliedFormat":1},{"version":"b2562a59a59a2717021ae25138f3fab6b7d2e235e53df29180fda7910b5c2096","impliedFormat":1},{"version":"5518d8c2dcbdc43c9c20eee3373e1180549e4df4767a8a3b4b70d55dfec63d6c","impliedFormat":1},{"version":"a0f8f6e52af01be903c99f8329d39d248bd5edc504f7ec862a548d6709de50da","impliedFormat":1},{"version":"4f95388cc4b8be42d2b39cb5c6c2a59bc7a5d5667248ddec118af922147c0ccb","impliedFormat":1},{"version":"fb34f3d282c923febd21cf770d7843f8551ca4b34a1d725ff7d680620712bc7c","impliedFormat":1},{"version":"9e8466532555167a58f9831d92ff5bdee391384056ba6561aa469a9d520b5a80","impliedFormat":1},{"version":"2f73554f8f6e14173d1ca37173c589d762b5c0a0e25555845df99e57b5503426","impliedFormat":1},{"version":"a09e34b42390e1a0344eb4e30fb27a88c9bfb54566185d3b35682748ab3abddf","impliedFormat":1},{"version":"a4ab2460fa4a9ce2a35757fd11380f358629763189d8d92cd3357f94d5bd04f2","impliedFormat":1},{"version":"dd353f0d5802b7e2e07be9efd3f913e36ddde9ddc58235f06584e566246537dc","impliedFormat":1},{"version":"6a6a951c0ba0f2b35176a19a8996a1166f925e574e209eecf89798c41de956b2","impliedFormat":1},{"version":"38465754297b45b53bbe3e654ab9ec0765c2b67d7da1159b21d2be9d3bc043ea","impliedFormat":1},{"version":"4115f37f1436b240288156ff5abb4bde910483e32282f525872c72e788310794","impliedFormat":1},{"version":"f6cf6de46ca7f334ba1818ba90c63dc508bb3fddbe0ebecbc5c78e677d4995da","impliedFormat":1},{"version":"b6bb54aeb3dcd320e640a84ef042c730dec827a1862df9fbb783736055e9f80b","impliedFormat":1},{"version":"e60dcb3a5d56b68cccf0d6bb98c60aa697ea6f9adbeb005867a6e3ad1e32faf9","impliedFormat":1},{"version":"00ce17123f6690981ba3a278f44b7814a9cc7d42aeb3f60c971ae6a51a37c5c0","impliedFormat":1},{"version":"f5703ab74bf1cea4dac2f81a7afdd774505827521d7ed94a76c77c89cf0ac281","impliedFormat":1},{"version":"d3c3d571b3f91c6e544ecafe0965a8d77a1fd06dcdd5ee0ee6c6b24b4eb3fda9","impliedFormat":1},{"version":"22375d31eb387aa3b67c8ca275879082ae08de75c467d9b736393f5553452864","impliedFormat":1},{"version":"e83100a75dfb09a0e6b73ea26587deac836ab698689c59a39e9f91675d45d23f","impliedFormat":1},{"version":"f4a526b8949637fd747544c723cffabe6f72007ce530c6d7496b1fe8afd70729","impliedFormat":1},{"version":"17586879ccf720491e967cd56fb085eb10e7c09ff54e37bdbabcf2d821448e75","impliedFormat":1},{"version":"0211c737ac63dbd9720da2a20e8824b781bc4e79ab384cd305e940c10b832125","impliedFormat":1},{"version":"ca1eecf52a09dade7fff2997b736ebb23ff317f731a13dd5d351f2dd320c2dd9","impliedFormat":1},{"version":"e6617c14cdfc166477e31d3ccde0e034d59f3fd7059ee62f4f05f8972a77c562","impliedFormat":1},{"version":"f99d4d104a08536e230de3c8bd41e84e05b543150379922b6c1ad27fb83357d1","impliedFormat":1},{"version":"caed030b8c04a9bbbcbafba4d80d66e2a6e2da71988b4a89517f0392d7c2a75e","impliedFormat":1},{"version":"037644e9dbdd94a0abcf27ea876c21bffb59aaf7c6cda1ed28e5acd15cdd61c3","impliedFormat":1},{"version":"c6d53e72e57283a476ddd7438c46c3e85fa94c6c138f77d938ae4e3be73e6f84","impliedFormat":1},{"version":"fd319f15cfbc8c5769c3e348bee974e57251930a3cedcafaad3da9720e567195","impliedFormat":1},{"version":"9a7a92e25463ca26e227d84b29894fb279f0bff3a9f5aa579f2088da886e5162","impliedFormat":1},{"version":"c42a17777a2dcdea9cadf5646a69be53f1720e88e9d5b8a8bb245dc3c3c12ef1","impliedFormat":1},{"version":"bc12f6ed06b3553cc1710713c99028a7f6ce3559d034c28c94dafbe697008616","impliedFormat":1},{"version":"744ee65e33f2adef0b16ca18f5f8054564e20aad240939013f6a77ef36aee96d","impliedFormat":1},{"version":"711af00b68464254936dfc9f6b1e5ed5a543540fa63d1b2c89caecab8cb72dcf","impliedFormat":1},{"version":"40ffac08a30015d181f9fd1860ddfd0d7a62dff63ded3498824e246144a4a758","impliedFormat":1},{"version":"3a3e09ec678551c7a8c806ad9aa89220fa7a00073e5e01ff99878c145d69fc0c","impliedFormat":1},{"version":"836486568e39d661299a712efa51fde68f40decd67d2d543194780d8f7d75c4b","impliedFormat":1},{"version":"043cb83903bd760b175bf5c389f2b75cd1d277b500d44f7e274cf805ad56ba2e","impliedFormat":1},{"version":"f3db28774395eb5f37a0783a1a2725a95d96165ddf8b2aab8e01a9876262e6a2","impliedFormat":1},{"version":"586656d22cb347eff71a375cd3c0c7deb56690e1d97c688c1c6293bd427d2d9f","impliedFormat":1},{"version":"11bbb15d2f0469812ea87c2f386b89f42277581335d6fe4938e4ad05970844b0","impliedFormat":1},{"version":"f906b794549aff5237189181f9129f69cb32f2a2a596db4a6adcbd6348a03524","impliedFormat":1},{"version":"41f2186aa5576a7b91b9e50d29846f000ceec938e88c3f6de701a8c80884a27d","impliedFormat":1},{"version":"a86e9fc8769e0991485ef4cac75c1f7d95de3a573b4c26bf726f76bb54189282","impliedFormat":1},{"version":"671b7c1e832cd23f099a410795dcaa1b0f6d7918b3e5ad4288fe5f2ca70363ea","impliedFormat":1},{"version":"c37aeeb018203098e573136bd33533aa598827a1ff954d012b1ea5e2779ed4b1","impliedFormat":1},{"version":"5421f3d14a6cc34ad1310891bbcd0334c8f7e6046d9b1ae6a44138100991d29e","impliedFormat":1},{"version":"90216ef6bdb17cf6660c02891b23d8920a3110e34eeab9dfb3af6bc870b54882","impliedFormat":1},{"version":"3da544e2e868ffc280a412f70e3166feb3e532aaeed49bc089e9236eabd1fdff","impliedFormat":1},{"version":"3b6a704d2be44715023552846bff366205322ab5cb41311e81681abb32bd7771","impliedFormat":1},{"version":"c9037a5244dd45009826976e80ca7900bb6d3b737fd00c3048f2851236407daf","impliedFormat":1},{"version":"a8d1a808ef94f4cac920914c98071ca152a832eddb863927c1a8c93c2039b950","impliedFormat":1},{"version":"f168b572534469204094d5d6090f3f4dea231f00cdf0233a17a3287d51336cf9","impliedFormat":1},{"version":"5987bc90cedf31491f60c7c04663ac6dd4056f13f6aad398a0ac4c3e343aa351","impliedFormat":1},{"version":"a257e6a76f44f0a4e93ca3c87f9ed9228bf3a914c268dfd576ac4f846ebc4cc6","impliedFormat":1},{"version":"5f1cf73871b9e11522c6f9430799a05cfe4b6c91770c1b79797d8e1b6b921903","impliedFormat":1},{"version":"3178e24a2bdce6cb5d460618f80006ccaef659c80a76f3091c6f5ea816bb1671","impliedFormat":1},{"version":"871feb6824179e83a9a6be65addedfff1d4852eb3f81a7e77d2befb4c3855da0","impliedFormat":1},{"version":"0814033fb2d08eb0a0323ddfd8ce4cc81cd0fb6f9f21c7f90e9e8fe142345572","impliedFormat":1},{"version":"6b762d13f3e3485b4c998facedd164d34af99130281686e94f47ed8ed1a51604","impliedFormat":1},{"version":"7a084721a0e26fb741b5b383a6f0b8c5e35192bea79312f1e70c07fd4178e654","impliedFormat":1},{"version":"787400c5ff8459a67cdffdd3155170d2df51915291fcb04f8013223bf2b86df1","impliedFormat":1},{"version":"9a74b5844ed0feaca598f1ae3fe35f1b744e7da1fdb38c2c6806d9214be30ecc","impliedFormat":1},{"version":"be6dc42511f3688c9ea8128cf5ff6d837dbd16be9a26ac00494fba083f37be16","impliedFormat":1},{"version":"95cc53af11026e524c5cfda7357ca62d3adcd31e331a1a525706670a1bdd6ce7","impliedFormat":1},{"version":"880c399c8c1d92f38c8deec3843fae22657e4cbdf327a7f1fd25e3cd412a4497","impliedFormat":1},{"version":"2583fae98ef1e5916588f5017d247127c42c81654c0e2c3e7da9e4d510a7c531","impliedFormat":1},{"version":"4d76a55d828081394b7c38d66c2e1af869126b31fbd7b3d9f10a6f514e922bbb","impliedFormat":1},{"version":"65577022fe6b991eae9f7b468b2afdb760a6c6b02330e9b044ea322402c3e374","impliedFormat":1},{"version":"0838212ead569085b5922726e4313e82fb0269ddb6af52eeb751b7ea44a8e427","impliedFormat":1},{"version":"f758d8c5d966ee28c3716e4da245c3b536584f74361c22e9e681bc59f7f8a451","impliedFormat":1},{"version":"bb6f706e06a8d2d3ff0e7f7731aaab4d6b09dd0ea2d192f396bd5473464a66ab","impliedFormat":1},{"version":"fc129b75a043e2ac178293d1580d213d425ab4f73b5f18291daebd40948fad42","impliedFormat":1},{"version":"3cdc38249208e220a83bc40705da8911059365572321d0449312eecd62faaa13","impliedFormat":1},{"version":"1b33a30638c4e1c8fbadb75f1d879b228634be6a12422941b578bc71ba10907d","impliedFormat":1},{"version":"5ef6d0db24eae5f680c47604958fd5797ee0668fbf82edddfe006d8ae75e3ac1","impliedFormat":1},{"version":"c0600f7108e1f3dc58a42595b9bf37837c67d71ca279a55c451f9315ac157f98","impliedFormat":1},{"version":"accdba9e04c62fdd890644ad633eda9d8c31adaad615851e8499ae62432657da","impliedFormat":1},{"version":"9bd7841c330a9c1972f36b3567fcee4254b4ee0bddf67f04a787afe716bf4f3e","impliedFormat":1},{"version":"81e1c99558202a9bd2092115663f87ee834dcd41b500f33481556d2e5088c680","impliedFormat":1},{"version":"01e4586bc6b819a612e4f81b5f3ed5c82387fdddab9d6689b3ba8fcf0fbb5100","impliedFormat":1},{"version":"8b833046a611be53bf060136de476623b6d67f27afc44d667f17a152ec290e2d","impliedFormat":1},{"version":"da8c88b7860ca2c202f9f7eb015ef0f9ca3a02868f73971046a413ae872d4ae5","impliedFormat":1},{"version":"9b8d0d464ac8e9c882f1cef50424b9be7b942c94fe6a8e45431cd794aa76f4c8","impliedFormat":1},{"version":"62a16e3acf8b789e9ed8873d067af558053a231c80920fbef508fbb18c48c3f9","impliedFormat":1},{"version":"5c5cd3d5dc2837d28a64235051b2ed820d069324a83a0fdabf886daefb476347","impliedFormat":1},{"version":"4233b38ff908d3650aa7f558a396a658c389709fb71ea13d7ca1ef733fee0746","impliedFormat":1},{"version":"4626b85c40a665e576632324424a7021b04f28affb4e6a8c536049d6054468d9","impliedFormat":1},{"version":"07849aa54c0d64e27d639283dc5bad6e0470a835cc0deee0053f647984eda66e","impliedFormat":1},{"version":"15fcb6019af09d7db5e897b4ce6719a6676802c408e00fa4d59f74cfe4aba827","impliedFormat":1},{"version":"dfc9c798f90a9e474787e899cff613d659e9c02a9e5956e3595fd06f6118cf77","impliedFormat":1},{"version":"e46c735e3943f3f6756c910ac3d4ff17c4c723c3c106f2d3bc501996433d8757","impliedFormat":1},{"version":"a15c0ffea8fc0bcab41f93ef19517787d88b8451b54b1a628babe80c999fde2a","impliedFormat":1},{"version":"0222e7fbfd57abaf92e64fc15893973f689899d0e18c745ba8dfbe138cec0ad4","impliedFormat":1},{"version":"39997a9c2d25d33c07cb17f5735c362e8d6ecbb2042d5edc58563a6ef7d2d80f","impliedFormat":1},{"version":"b0b093b7609f06929af7fe8dff9d4fc609f01ca94aeae5d2e70632d7dde6132d","impliedFormat":1},{"version":"f44d9171a0c7b3a6d2144d91feb4d52de8b0ac1769c8c166fab438465725b400","impliedFormat":1},{"version":"ee9c754834c432b19721a0e960ce9c528ba5842bd1b6f4ff010763b0c8c034af","impliedFormat":1},{"version":"9b4fc8ef6e05241acd037f64f3257c38e981963ba070303f14bfcd7bfd94af5f","impliedFormat":1},{"version":"ba66efe3500db15451979bcf522846b27b6919a836f4cb54aeff00dbf53eec24","impliedFormat":1},{"version":"684ba911ddaa2d6e8303e70e11edb689ea1d746b9c0892f137b85d67a2d9da7c","impliedFormat":1},{"version":"8c18fa97c238733aaf36ee179461e9698456023c79e546a1366b1b362b82b25b","impliedFormat":1},{"version":"09767f6c3c0e60da6da44e1016d73bb7c265af42960e949cd02d41b62772136d","impliedFormat":1},{"version":"0fd182b4143c5577c227a465a7459fa5c4eb69905b58d1c47d97d7fc74ec2118","impliedFormat":1},{"version":"e7865c880892031c2910fd18b45154019407eff3927ad223cd733f3039329e39","impliedFormat":1},{"version":"f8e9db071525f68d5756dbfe23045a77e0fb3934cbeda7352d7e49608bcfe3f7","impliedFormat":1},{"version":"47328350737e2e452cb49c1c90fd9fc02e8a0b044d4c87c384fc5d9f6b7b54bf","impliedFormat":1},{"version":"e48e3afa7e59a50dc3be76cdc301c63d20eaa2c068d43309642cd3c6390bbd09","impliedFormat":1},{"version":"9d9baebd32e09604b81facf900ad69592adcf17c9b0f170ecfc1690844148e4e","impliedFormat":1},{"version":"d325f9b167ab12e1628e2bfb771a6b009e0fff4853d5645a6b59776a0215c8d4","impliedFormat":1},{"version":"f442b4d08fc5d83a1331806336aacd2ff64273f9e6bc5f0eee71a0c2e1d45e8e","impliedFormat":1},{"version":"5bb41f37ca3585a63795c9ac246058b3bd33a2323debca8cd7cd46e8ffe5c920","impliedFormat":1},{"version":"f61310a2c40cc3929b78b126e2ae1350b83b59cceac0ef1d8ea3a66c88f9dc9f","impliedFormat":1},{"version":"6ca8fc56eb6806632f89c2fff494df6de9e6d23b67722a86f71cc096957aa4f8","impliedFormat":1},{"version":"176b99ef80eae6c251a60f16fa3f5a90533ae08de0e8e742d07bc378565397e3","impliedFormat":1},{"version":"ab485b9d1fd0bec36a8ce894ae9b3f60e0fe01e2173787bafbd8e2ab38cb20bf","impliedFormat":1},{"version":"f44536a3f0fa53d0e2deb440a4922a6c5044ce7af2b63de51a19583235f505f0","impliedFormat":1},{"version":"9e8b92d6b441f9841801029ac2232ff3ea22c9e6c5f6c5c763c6538845410455","impliedFormat":1},{"version":"f3f0b30f04975375e8ebb900d21d59e27d169830f8a2ea7acfc8b56e9eb76d46","impliedFormat":1},{"version":"053badc6c363257712cc1eecdd8bfa96e662a46402a46d945672849e1703f73e","impliedFormat":1},{"version":"19403809b68311eaec2273ae203c56c5e6d752d3ee613b7838afe74639688d49","impliedFormat":1},{"version":"c1ea9a03a44568ece3a09b369a8ff11834d56608b471021d4c1dcee8105c1857","impliedFormat":1},{"version":"9b200fb6dd92b39c50dbef32b5990bb8766744191a39f6a9fe538a4d7722907b","impliedFormat":1},{"version":"e7793cba27829d41c6a1018ebbb122a440af69cef66ae5c000fdfac355e86500","impliedFormat":1},{"version":"6955b6f14e9857dd08fe56fa0dad1f26a09fd190bd94f898c07451f320babcc9","impliedFormat":1},{"version":"3ded839b327e0c7fc8d959189380648a83366cf92253c69f7a5ea51fd04aef9c","impliedFormat":1},{"version":"c2361eddc491d4202d81ce4de6e5ea4562f9ce5976181e31d95ba5054ee442aa","impliedFormat":1},{"version":"f22b2decc38ed2a4bc1e65d218fa71edc2b6f133d33c2b4f6ecbfe7083ec1eca","impliedFormat":1},{"version":"96b512768194f0a4ce3a3cacaeb4f583692a24a8e3003b13d9281819ce967416","impliedFormat":1},{"version":"e9c5103bc110d1ba6676695939971ec5f6fd4b117ad5cefafc7af0f889189fda","impliedFormat":1},{"version":"58bb8584ef98c5eab05cae3be7ce0fa6cc9d70b0507849f881d32b95fff341ee","impliedFormat":1},{"version":"776617d216d5f1404efde32cb5a458a8378c1540e3d22fa972daed4f1a39fd27","impliedFormat":1},{"version":"ccf4a37e89a4e45f1a07f978e9c5bdbdaa9bbe62a489b78203af8a1046a4e0e0","impliedFormat":1},{"version":"bf33feac62dba27ac615089d07fa3cb7d8963e5569f59cd109aac7b68b710dbf","impliedFormat":1},{"version":"ffc4ec6317c5ed7ebe18fc516f35ad6b4b7bce532b8caf4e5c4c3e1fd3deb940","impliedFormat":1},{"version":"9eb31bda544214dc696a6cdd01d54e1fceceab6f3f79239132445dfb689a33ce","impliedFormat":1},{"version":"f6558dde981c70ccce263785d245be1729ca7e268487da354ae5961874565788","impliedFormat":1},{"version":"998d115540014fab3581b4e3cb2821a25a8b421051f40ab334f00d31c30809bf","impliedFormat":1},{"version":"96f228be050d866c47239798c1929ec240067485fe0458b578c468aab1c86a7e","impliedFormat":1},{"version":"de1cd59fc33b9cb93d0eedc3f0172d5f1224a9820028e625fba48520e3e26a99","impliedFormat":1},{"version":"e7fcaa00b42304cbd07cf238a44110cce83f0122305c354a6108834ec58f9336","impliedFormat":1},{"version":"6e3521f6d6fb05ced11f795ab36851bf7255aff25e6e8ab9734b5762d2fe354f","impliedFormat":1},{"version":"7a5e3dd8b47efa6b169f3ab590d35feae7cc3b7736354f293a3db270bce157ea","impliedFormat":1},{"version":"7d09ddf0a790bf9e5bee0a1d60b9a6a6b182cadd9d641b57a1c66b33a7cca0db","impliedFormat":1},{"version":"e661056dbddc29170f23873bf7501f894a36d27fd05bbdaa87dad5d3eca3b89f","impliedFormat":1},{"version":"5181637779b51588afa3503dc8c9c7ebd8ff2935ca47db5f16f058cccfb50e10","impliedFormat":1},{"version":"f24d0147b9727db751661a6a68e64bdcbaf6a83dc327edcf9f50c6fbe4dc9ea5","impliedFormat":1},{"version":"bd734a28e08dd842d9c17ae9fa05a304737498873ca58883eb815dba162766c4","impliedFormat":1},{"version":"f800aa633781abd71dc7012885ed75b7cbb5fc840cd3b81c86eabe2a352b166b","impliedFormat":1},{"version":"c295139d69307216461e137b77a57edc4b4d937dd7923b4f00f6af09cf853def","impliedFormat":1},{"version":"75f0a687671ea05684097af85a7361fa20834a0d1d0e718454ee5fca61696b73","impliedFormat":1},{"version":"887c56417f3713d48dae84e1a5c661f0d3a8c7dd9291b2a6742e7169c9b92ec3","impliedFormat":1},{"version":"73f6bd6d88383ed8597bb606a39965fba4a2069e84096ea4a51ee68f9746eb19","impliedFormat":1},{"version":"1b4f8b1186080ecea68f0b9b2a97a7fc019952a4111dd4cfb25910a5e4a0e284","impliedFormat":1},{"version":"bdcdfbdded3940ca7d79dc112e834c4cf78ca18c5a7c6530f58d0bd1fa4156d7","impliedFormat":1},{"version":"da7f531ecba0c3df4d93fbb8168559add0b2a5dee12a6a934ad52472e0f5880a","impliedFormat":1},{"version":"5162f6a406eefd805d4fc0e9f66dfb717cc29c04bfabb6eaee324d10510806cc","impliedFormat":1},{"version":"75945afc83947f9adb1fc5f0035c14818bae1aedd0f2e8ac8528fd73070d6258","impliedFormat":1},{"version":"bf427212e92b227fadf80c4bef4de91c38653492c0778ce103afc8010c77ea7f","impliedFormat":1},{"version":"d4a0fcd0048b161cea04a170b27ce1b9a82fb098de82693cdf434f792e45fdf4","impliedFormat":1},{"version":"6c103d333c86871bee90cf1343f2011fd28c4d6ab93b1967c62daa6c227e1988","impliedFormat":1},{"version":"e591afd10115ffbdf6acd2ca3c1438088a18e3e470f5bc0f761f9973490ae03d","impliedFormat":1},{"version":"7af440443e86ff0cadafe671608aafa2cddab2b2c2832c233c2814bef711af7a","impliedFormat":1},{"version":"4fc58c40c4f4ace53bdf71ad1589f77b34340078fa112ac9e0a3110afe17e38b","impliedFormat":1},{"version":"07f933da44e08208560b7748f391573171527c2f2fc677b115095c603f3c3e25","impliedFormat":1},{"version":"f60e8e154ee63b304ef0e657ed2a075bd76f7fb7045335609072a2c84cef886a","impliedFormat":1},{"version":"019bd8300e43034142742595f8daa0b585ae598e61154b273ef5869494c17640","impliedFormat":99},"f882ffd7b7f3414aa7bf5f3d0457148659fe361957c9b3b611b43d8553bd1ba3",{"version":"92e5c833fd004c237515432a133605b79c4d26d4053a6d6e39921e7d9bd10839","signature":"d69966ae43b2744a9b996e2204df4603790e706b18c26cdeae97faf4aad9539f"},{"version":"0d6c72afdb4ff28e3f911592b6c912c15bf430c07ac39c4b1400c076573670a3","signature":"2e53b01994b572241090a8b52608b5982d84ee856db92b32b664d5d92ec04efe"},{"version":"0d66e62d5d0b5028f377d90e8e23358294d43cd6163e48556c3da75325645ecb","signature":"6564e335143713b6a92ab69cdc6096ecd8478bc649e9cdff23b90387153b0aec"},"0b08a44d0e298a5d16ea2e03856617697fadb465a419ffeb3a6ea9ca76c69f34","d4750197b970cc2e2be6c137c0713b6a2eb808e1a60c845ab724d3fdd67210a7","90a690c01477ce9a10b2bc577eb8a74b7fdf6c13390118c06363850e77927d73","52c5cced6e8e40fe5faa9e7f705c24fff49425a51434f1fd163cc0b81bc746c0","0bb55beed444a6f49611955a8e5b246ea769ecaeb550851f65e7e699a6173aa7","c2941df031b6c21aee22f8998241f103438c717394961928ceb0b5f5d44e5b01","a4d07be13390132338170246084a6966072e9ad2337b808d3557f78e17edf31c",{"version":"9137bc2cea622bff56d0f7ad0fd33b627ce18755a4df86d580eb784692a23952","signature":"bb629cb1c95772180f39c9d22a5d9c6325cf671fadc7c89d9c10f4a151d714e4"},{"version":"1a116aae9d0bd6df1682d7e4e0dd3f4dfc544aa082f6f733d1fc1e232ed6f039","signature":"31685e806257e8336cde776ace85848debb3d920d14220b4a3814799e9c4595c"},"3d41947d9ebb0db3299c93fc8f3812d6ec9b0c9cff3a3aa2b8c68ad0ba416be4",{"version":"bb9a61f67ee332384e93d240852e1b17ca991b066201c4a8062780b067d52004","impliedFormat":1},{"version":"6b841ccae8de7748d667253d62a33694a1d93d55fa5afdf1437ff89b6783baa4","signature":"c1e8d8e3cab62b9ffac3ecc8f0f0c3f2cd16e3c011fe7a53eebc6d7df2708a4a"},{"version":"8b406eace3aa9aa23667a40edb16328e25ea7de204118b90b1ee563f2bc1f885","signature":"318ca0da2b8757e76efefc0ecb9758cf43c32de254518101b7426000818b1174"},{"version":"8af2a4ef69e9cef954c1eca395e5e63010d36f0004cb38fc29a141c018d46d64","signature":"1071b5ce91ec51041b20972b270eaffd04cd05afc61fbb1ce86abd32a250fc81"},"3aa03df8c1955e3fe91802720a86efd456e15b49350862761a2171fb1b90fedd","d37ba9b87e3a99828ac38da8733d01e9410f05e10222702abb1042d054a2e03d",{"version":"15fe687c59d62741b4494d5e623d497d55eb38966ecf5bea7f36e48fc3fbe15e","impliedFormat":1},{"version":"2c3b8be03577c98530ef9cb1a76e2c812636a871f367e9edf4c5f3ce702b77f8","affectsGlobalScope":true,"impliedFormat":1},{"version":"5221b4739633a57c4251be880c0626c78391fe3ebf568f2f6ff5e4df60e71bb7","impliedFormat":99},{"version":"26d51d186bf97cd7a0aa6ad19e87195fd08ed72bb8df46e07cc2257b4d338eb5","impliedFormat":1},{"version":"eb37c2b0ef3b11ce50ab484e3ee57b017af450e2ff9b4960113541576fada071","signature":"6acb0c8eca23ea0731e0c28394b405e5e00dbef027b7179f3628747060b1feaf"},{"version":"f49940dd2122305b53d1c9ce3cfb111c073d8ac827e0b3534210987ef98fcdf4","signature":"4286b7391827952ba090afd96e9fd508b47d6b97fb75ad6dd9dd07564c8c6310"},"7b7fa796ed7860519674ff68aac2c64e9be6d9de150ef403f742825045fa3902",{"version":"6d5b2e35149ca279a4bd70ff7f0730381ba4a9c47b0eccbd295029241023fea7","signature":"1873e4a592565b0bf0c4705a62b467ae9ede7a2a349ff1a3ac8fbe87b2c29c71"},{"version":"1d5b7e3bdd0ceed03b2aa81d27cdc671559d79807b84c5c3b75ff30d77ca0119","signature":"78e3ca07dfd260004af8c988039547b83b1110d16042b21f6ece209c06fd2aa9"},"ff25d2789578679f3f1b1f5dcbb5c87a0dad6488fa583cd1fded8ae83c58b1b5",{"version":"5f86b90281b0799105cab4b8d3e7b14ea5b65265fc5a6539074062546b18cdb8","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"527fe239e295fc7d4d3ef90dd1acb2b0036b98310d2c0fc9869e950d14bb7908","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"18484a92bd0fea49364255ee630f5a3a3e54ffb572f6b3dbb7493475b9fa5d53","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"8ad5b9c7b096fff25ca2222c0d826c1a29c5912b68d2d0d259463dc6112e7ca1","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"785b9d575b49124ce01b46f5b9402157c7611e6532effa562ac6aebec0074dfc","impliedFormat":1},{"version":"f3d8c757e148ad968f0d98697987db363070abada5f503da3c06aefd9d4248c1","impliedFormat":1},{"version":"96d14f21b7652903852eef49379d04dbda28c16ed36468f8c9fa08f7c14c9538","impliedFormat":1},{"version":"f2f23fe34b735887db1d5597714ae37a6ffae530cafd6908c9d79d485667c956","impliedFormat":1},{"version":"5bba0e6cd8375fd37047e99a080d1bd9a808c95ecb7f3043e3adc125196f6607","impliedFormat":1}],"root":[461,462,487,[490,493],495,496,[1225,1238],[1240,1244],[1249,1258]],"options":{"allowJs":true,"esModuleInterop":true,"jsx":1,"module":99,"skipLibCheck":true,"strict":true,"target":4},"referencedMap":[[1258,1],[1256,2],[1257,3],[1255,4],[1254,5],[461,6],[462,7],[884,8],[886,9],[887,10],[888,11],[883,12],[885,12],[937,13],[932,12],[933,14],[936,15],[934,15],[935,15],[938,16],[899,17],[897,15],[898,18],[900,19],[939,20],[940,21],[941,15],[942,22],[945,23],[946,24],[947,15],[948,25],[956,26],[949,15],[950,15],[951,15],[952,15],[953,15],[954,15],[955,27],[957,28],[958,15],[959,29],[985,30],[986,31],[988,32],[987,15],[989,33],[990,27],[991,34],[992,27],[993,35],[994,15],[995,36],[996,15],[997,37],[998,15],[999,38],[1002,39],[1000,15],[1001,40],[1003,41],[1005,42],[1004,27],[1006,43],[1007,27],[1008,44],[1014,45],[1016,14],[1011,15],[1017,46],[1012,47],[1013,15],[1015,14],[1018,48],[1020,49],[1019,14],[1021,50],[902,27],[901,51],[903,52],[1022,15],[1023,53],[858,15],[859,54],[1033,55],[1034,56],[1027,57],[1025,58],[1024,12],[1026,15],[1029,59],[1031,60],[1030,59],[1028,57],[1032,61],[1035,27],[1036,62],[975,63],[978,64],[960,15],[961,65],[962,66],[963,15],[964,15],[965,15],[966,15],[967,15],[968,15],[969,14],[970,15],[971,15],[972,67],[973,15],[980,68],[979,68],[984,69],[976,68],[983,68],[977,70],[982,12],[974,12],[981,71],[1037,15],[1038,72],[1039,14],[1040,73],[1041,74],[1042,75],[1043,15],[1044,76],[1050,77],[1054,78],[1045,79],[1046,79],[1047,79],[1048,79],[1049,79],[1051,80],[1052,14],[1053,79],[1055,81],[1056,15],[1057,82],[1058,12],[1059,83],[1060,47],[1061,84],[927,15],[928,27],[929,85],[872,86],[871,87],[873,88],[869,12],[868,12],[870,87],[930,15],[931,89],[1062,14],[1063,90],[1064,91],[1066,92],[1065,15],[1067,93],[904,15],[905,94],[1068,23],[1069,95],[1072,96],[1070,97],[1071,98],[1073,99],[1074,27],[1075,100],[1223,101],[1078,102],[1077,103],[1076,12],[1010,104],[1009,46],[924,105],[921,106],[915,107],[916,15],[917,15],[918,15],[919,15],[923,108],[920,109],[922,110],[926,111],[925,112],[1082,113],[1081,114],[1084,115],[1083,15],[1087,116],[1086,117],[1085,15],[896,118],[895,119],[894,12],[1089,120],[1088,121],[1091,122],[1090,15],[1098,123],[1097,124],[1096,15],[1094,15],[1092,27],[1093,15],[1095,51],[1110,125],[1104,126],[1108,127],[1099,79],[1100,79],[1101,79],[1102,79],[1103,79],[1105,128],[1106,14],[1107,79],[1109,12],[914,129],[906,130],[907,46],[908,131],[909,132],[910,46],[911,133],[912,46],[913,14],[1112,134],[1111,30],[1114,135],[1113,136],[1116,137],[1115,27],[1118,138],[1117,15],[1120,139],[1119,140],[1127,141],[1126,142],[875,143],[874,27],[1135,144],[1134,145],[1128,14],[1129,15],[1130,146],[1131,147],[1132,148],[1133,15],[867,149],[866,27],[1137,150],[1136,47],[1140,151],[1139,152],[1138,15],[1143,153],[1142,154],[1141,15],[1145,155],[1144,47],[893,156],[892,157],[889,158],[891,159],[890,15],[878,160],[877,161],[876,51],[1150,162],[1149,163],[1146,15],[1147,15],[1148,15],[1157,164],[1155,165],[1156,14],[1151,15],[1152,47],[1153,14],[1154,166],[1159,167],[1158,15],[1161,168],[1160,15],[861,169],[860,15],[1163,170],[1162,15],[1165,171],[1164,30],[1167,172],[1166,15],[1169,173],[1168,15],[1171,174],[1170,15],[1175,175],[1174,176],[1172,140],[1173,176],[1177,177],[1176,15],[1179,178],[1178,15],[1181,179],[1180,15],[1185,180],[1184,181],[1182,12],[1183,182],[1188,183],[1187,184],[1186,47],[1193,185],[1189,186],[1192,187],[1190,188],[1191,15],[1195,189],[1194,190],[1200,191],[1199,192],[1196,15],[1197,15],[1198,193],[1202,194],[1201,30],[944,195],[943,27],[1080,196],[1079,47],[1204,197],[1203,47],[1206,198],[1205,15],[1209,199],[1208,200],[1207,15],[1211,201],[1210,15],[1216,202],[1215,203],[1212,204],[1213,205],[1214,140],[881,206],[882,207],[880,208],[879,12],[1217,209],[1220,210],[1219,211],[1218,212],[1222,213],[1221,15],[863,214],[862,27],[865,215],[864,15],[716,216],[679,217],[699,218],[717,219],[681,220],[697,221],[696,222],[695,223],[682,217],[683,217],[684,12],[685,217],[686,12],[690,224],[687,217],[688,12],[689,217],[691,225],[680,217],[698,12],[855,226],[856,227],[714,228],[712,51],[711,229],[715,230],[713,231],[857,232],[694,233],[693,234],[692,12],[729,235],[724,12],[720,235],[728,235],[727,235],[721,235],[678,235],[719,235],[730,236],[725,12],[726,12],[718,237],[723,12],[722,12],[735,238],[734,235],[733,239],[732,235],[821,240],[822,241],[827,242],[826,243],[828,244],[839,235],[823,235],[843,245],[842,12],[829,246],[831,247],[832,235],[834,248],[830,14],[833,235],[835,249],[837,250],[836,251],[825,252],[824,235],[840,235],[731,253],[820,254],[819,255],[736,235],[737,256],[841,257],[838,12],[700,258],[710,259],[701,260],[707,261],[702,262],[708,262],[703,263],[705,264],[706,265],[704,266],[709,267],[502,12],[515,12],[518,12],[510,14],[509,14],[512,12],[849,12],[501,12],[506,12],[852,12],[513,12],[846,243],[844,217],[847,12],[514,12],[850,12],[853,12],[511,12],[517,12],[845,268],[854,269],[508,12],[507,12],[500,12],[851,12],[516,12],[505,270],[503,12],[504,12],[848,51],[1224,271],[818,272],[745,12],[747,51],[748,12],[750,273],[751,12],[746,12],[752,51],[753,12],[757,51],[795,12],[754,12],[755,12],[794,51],[803,12],[801,12],[815,12],[756,12],[758,12],[796,12],[759,12],[787,12],[784,12],[802,12],[785,12],[786,274],[789,51],[760,12],[761,12],[804,12],[793,12],[783,12],[762,12],[813,12],[763,51],[764,12],[765,12],[766,275],[788,12],[808,12],[749,12],[768,51],[806,12],[769,51],[770,51],[805,51],[797,12],[814,12],[791,12],[773,12],[771,12],[800,12],[772,12],[816,51],[774,273],[776,51],[775,12],[817,12],[767,275],[792,12],[809,12],[777,12],[807,12],[799,12],[810,12],[811,51],[812,12],[798,12],[778,12],[779,12],[790,12],[780,12],[781,12],[782,12],[738,12],[744,276],[739,12],[740,12],[741,12],[742,12],[743,12],[407,12],[1239,51],[1259,12],[1260,12],[1261,12],[134,277],[135,277],[136,278],[95,279],[137,280],[138,281],[139,282],[90,12],[93,283],[91,12],[92,12],[140,284],[141,285],[142,286],[143,287],[144,288],[145,289],[146,289],[148,290],[147,291],[149,292],[150,293],[151,294],[133,295],[94,12],[152,296],[153,297],[154,298],[186,299],[155,300],[156,301],[157,302],[158,303],[159,304],[160,305],[161,306],[162,307],[163,308],[164,309],[165,309],[166,310],[167,12],[168,311],[170,312],[169,313],[171,314],[172,315],[173,316],[174,317],[175,318],[176,319],[177,320],[178,321],[179,322],[180,323],[181,324],[182,325],[183,326],[184,327],[185,328],[190,329],[191,330],[189,51],[187,331],[188,332],[79,12],[81,333],[303,51],[1246,334],[1245,12],[1262,12],[1263,12],[488,12],[80,12],[1247,335],[1248,336],[489,337],[88,338],[410,339],[415,5],[417,340],[211,341],[359,342],[386,343],[286,12],[204,12],[209,12],[350,344],[278,345],[210,12],[388,346],[389,347],[331,348],[347,349],[251,350],[354,351],[355,352],[353,353],[352,12],[351,354],[387,355],[212,356],[285,12],[287,357],[207,12],[222,358],[213,359],[226,358],[255,358],[197,358],[358,360],[368,12],[203,12],[309,361],[310,362],[304,226],[438,12],[312,12],[313,226],[305,363],[442,364],[441,365],[437,12],[391,12],[346,366],[345,12],[436,367],[306,51],[229,368],[227,369],[439,12],[440,12],[228,370],[431,371],[434,372],[238,373],[237,374],[236,375],[445,51],[235,376],[273,12],[448,12],[451,12],[450,51],[452,377],[193,12],[356,378],[357,379],[380,12],[202,380],[192,12],[195,381],[325,51],[324,382],[323,383],[314,12],[315,12],[322,12],[317,12],[320,384],[316,12],[318,385],[321,386],[319,385],[208,12],[200,12],[201,358],[409,387],[418,388],[422,389],[362,390],[361,12],[270,12],[453,391],[371,392],[307,393],[308,394],[300,395],[292,12],[298,12],[299,396],[329,397],[293,398],[330,399],[327,400],[326,12],[328,12],[282,401],[363,402],[364,403],[294,404],[295,405],[290,406],[342,407],[370,408],[373,409],[271,410],[198,411],[369,412],[194,343],[392,413],[403,414],[390,12],[402,415],[89,12],[378,416],[258,12],[288,417],[374,12],[217,12],[401,418],[206,12],[261,419],[360,420],[400,12],[394,421],[199,12],[395,422],[397,423],[398,424],[381,12],[399,411],[225,425],[379,426],[404,427],[334,12],[337,12],[335,12],[339,12],[336,12],[338,12],[340,428],[333,12],[264,429],[263,12],[269,430],[265,431],[268,432],[267,432],[266,431],[221,433],[253,434],[367,435],[454,12],[426,436],[428,437],[297,12],[427,438],[365,402],[311,402],[205,12],[254,439],[218,440],[219,441],[220,442],[216,443],[341,443],[232,443],[256,444],[233,444],[215,445],[214,12],[262,446],[260,447],[259,448],[257,449],[366,450],[302,451],[332,452],[301,453],[349,454],[348,455],[344,456],[250,457],[252,458],[249,459],[223,460],[281,12],[414,12],[280,461],[343,12],[272,462],[291,463],[289,464],[274,465],[276,466],[449,12],[275,467],[277,467],[412,12],[411,12],[413,12],[447,12],[279,468],[247,51],[87,12],[230,469],[239,12],[284,470],[224,12],[420,51],[430,471],[246,51],[424,226],[245,472],[406,473],[244,471],[196,12],[432,474],[242,51],[243,51],[234,12],[283,12],[241,475],[240,476],[231,477],[296,308],[372,308],[396,12],[376,478],[375,12],[416,12],[248,51],[408,479],[82,51],[85,480],[86,481],[83,51],[84,12],[393,482],[385,483],[384,12],[383,484],[382,12],[405,485],[419,486],[421,487],[423,488],[425,489],[429,490],[460,491],[433,491],[459,492],[435,493],[443,494],[444,495],[446,496],[455,497],[458,380],[457,12],[456,498],[479,499],[477,500],[478,501],[466,502],[467,500],[474,503],[465,504],[470,505],[480,12],[471,506],[476,507],[482,508],[481,509],[464,510],[472,511],[473,512],[468,513],[475,499],[469,514],[1125,515],[1122,516],[1123,517],[1124,517],[1121,51],[498,518],[499,519],[497,51],[377,520],[463,12],[485,521],[484,12],[483,12],[486,522],[677,523],[550,524],[646,12],[613,525],[583,526],[568,527],[647,12],[594,12],[605,12],[623,528],[521,12],[652,529],[654,530],[653,531],[607,532],[606,533],[609,534],[608,535],[566,12],[655,527],[659,536],[657,537],[525,538],[526,538],[527,12],[569,539],[620,540],[619,12],[632,541],[532,524],[626,12],[615,12],[672,542],[674,12],[553,543],[552,544],[635,545],[637,546],[530,547],[639,548],[644,549],[528,550],[541,551],[650,552],[589,553],[667,524],[643,554],[642,555],[542,556],[543,12],[561,557],[557,558],[558,559],[560,560],[556,561],[555,562],[559,563],[596,12],[544,12],[531,12],[545,564],[546,565],[548,566],[540,12],[587,12],[645,567],[588,552],[618,12],[611,12],[625,568],[624,569],[656,537],[660,570],[658,571],[524,572],[673,12],[612,543],[554,573],[630,574],[629,12],[584,575],[571,576],[572,12],[565,577],[616,578],[617,578],[534,579],[567,12],[547,580],[522,12],[586,581],[563,12],[599,12],[551,524],[634,582],[675,583],[577,527],[590,584],[661,531],[663,585],[662,585],[581,586],[582,587],[564,12],[519,12],[593,12],[592,527],[636,524],[633,12],[670,12],[574,527],[533,588],[573,12],[575,589],[578,527],[529,12],[628,12],[668,590],[648,539],[603,12],[597,591],[622,592],[598,591],[602,593],[600,594],[621,553],[585,595],[649,596],[570,597],[538,12],[576,598],[664,537],[666,570],[665,571],[669,12],[640,599],[631,12],[671,600],[614,601],[610,12],[627,602],[580,603],[579,604],[537,12],[595,12],[549,527],[676,12],[641,12],[520,12],[591,527],[523,12],[601,605],[536,12],[535,12],[604,12],[651,527],[562,527],[638,524],[539,606],[77,12],[78,12],[13,12],[14,12],[16,12],[15,12],[2,12],[17,12],[18,12],[19,12],[20,12],[21,12],[22,12],[23,12],[24,12],[3,12],[25,12],[26,12],[4,12],[27,12],[31,12],[28,12],[29,12],[30,12],[32,12],[33,12],[34,12],[5,12],[35,12],[36,12],[37,12],[38,12],[6,12],[42,12],[39,12],[40,12],[41,12],[43,12],[7,12],[44,12],[49,12],[50,12],[45,12],[46,12],[47,12],[48,12],[8,12],[54,12],[51,12],[52,12],[53,12],[55,12],[9,12],[56,12],[57,12],[58,12],[60,12],[59,12],[61,12],[62,12],[10,12],[63,12],[64,12],[65,12],[11,12],[66,12],[67,12],[68,12],[69,12],[70,12],[1,12],[71,12],[72,12],[12,12],[75,12],[74,12],[73,12],[76,12],[111,607],[121,608],[110,607],[131,609],[102,610],[101,611],[130,498],[124,612],[129,613],[104,614],[118,615],[103,616],[127,617],[99,618],[98,498],[128,619],[100,620],[105,621],[106,12],[109,621],[96,12],[132,622],[122,623],[113,624],[114,625],[116,626],[112,627],[115,628],[125,498],[107,629],[108,630],[117,631],[97,632],[120,623],[119,621],[123,12],[126,633],[490,634],[1229,12],[1252,635],[1251,12],[1235,12],[1237,636],[1238,12],[1250,637],[1232,638],[1233,12],[1234,12],[1243,639],[1249,640],[1244,641],[1253,642],[1241,643],[1242,644],[1240,645],[1230,639],[1231,646],[1226,647],[1236,648],[493,649],[494,12],[496,650],[1225,639],[495,12],[1227,651],[1228,652],[492,652],[491,12],[487,653]],"affectedFilesPendingEmit":[1258,1256,1257,1255,462,490,1229,1252,1251,1235,1237,1238,1250,1232,1233,1234,1243,1249,1244,1253,1241,1242,1240,1230,1231,1226,1236,493,496,1225,495,1227,1228,492,491,487],"version":"5.7.3"} \ No newline at end of file From 6760eacb4d9ac5545787df8a3164a20ce17771fc Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 01:19:36 +1100 Subject: [PATCH 15/23] improve server error clarity, avoid leaking server error client side --- frontend/src/app/jobs/error.tsx | 26 ++++++++++++++++++++++++-- frontend/src/lib/fetch-jobs.ts | 22 +++++++++++++++++++--- 2 files changed, 43 insertions(+), 5 deletions(-) diff --git a/frontend/src/app/jobs/error.tsx b/frontend/src/app/jobs/error.tsx index 364eeb9..a50ff1b 100644 --- a/frontend/src/app/jobs/error.tsx +++ b/frontend/src/app/jobs/error.tsx @@ -1,4 +1,26 @@ +// frontend/src/app/jobs/error.tsx "use client"; -export default function JobError() { - return
Job Error
; + +import { useEffect } from "react"; +import { Text, Button } from "@mantine/core"; + +export default function JobError({ + error, + reset, +}: { + error: Error & { digest?: string }; + reset: () => void; +}) { + useEffect(() => { + console.error(error); + }, [error]); + + return ( +
+ + Failed to render jobs page. Check the console for more details. + + +
+ ); } diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts index 046f1e9..04f0757 100644 --- a/frontend/src/lib/fetch-jobs.ts +++ b/frontend/src/lib/fetch-jobs.ts @@ -1,5 +1,6 @@ import { Job } from "@/types/job"; import { JobFilters, SortBy } from "@/types/filters"; +import { headers } from "next/headers"; export interface JobsApiResponse { jobs: Job[]; @@ -7,6 +8,7 @@ export interface JobsApiResponse { } const PAGE_SIZE = 20; // Number of jobs per page +const MONGODB_URI = process.env.MONGODB_URI; /** * Fetches jobs from the API given a set of filters @@ -20,6 +22,12 @@ export async function fetchJobs( filters: Partial, ): Promise { try { + if (!MONGODB_URI) { + throw new Error( + "MongoDB URI is not configured. Please check environment variables.", + ); + } + const baseUrl = process.env.NEXT_PUBLIC_BASE_URL || "http://localhost:3000"; const url = new URL("/api/jobs", baseUrl); @@ -56,7 +64,9 @@ export async function fetchJobs( const response = await fetch(url.toString()); if (!response.ok) { - throw new Error(`HTTP error! status: ${response.status}`); + throw new Error( + `[${response.status}] Unable to fetch from MongoDB. ${response.body}. URL Used ${url.toString()}`, + ); } const { jobs, total } = (await response.json()) as JobsApiResponse; @@ -66,7 +76,13 @@ export async function fetchJobs( total, }; } catch (error) { - console.error("Failed to fetch jobs:", error); - throw new Error("Failed to fetch jobs"); + console.error("Server Error:", { + error, + timestamp: new Date().toISOString(), + filters, + }); + throw new Error( + "Failed to fetch jobs from the server. Check the server console for more details.", + ); } } From fb0719e2693ed60b65b5a111cf5d71e49108e1e7 Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 01:19:45 +1100 Subject: [PATCH 16/23] remove mock job data and clean up code --- frontend/src/app/jobs/page.tsx | 43 ++++------------------------------ 1 file changed, 5 insertions(+), 38 deletions(-) diff --git a/frontend/src/app/jobs/page.tsx b/frontend/src/app/jobs/page.tsx index 33c5158..813789f 100644 --- a/frontend/src/app/jobs/page.tsx +++ b/frontend/src/app/jobs/page.tsx @@ -5,49 +5,16 @@ import JobDetails from "@/components/jobs/details/job-details"; import { Title } from "@mantine/core"; import { fetchJobs } from "@/lib/fetch-jobs"; import { JobFilters } from "@/types/filters"; -import { Job } from "@/types/job"; export default async function JobsPage({ searchParams, }: { searchParams: Promise>; }) { - const params = await searchParams; - - // This try catch block can be removed once the app is stable - // The console.log is only visible on the server (React server component thing) - let testJobDetails: Job | null = null; - try { - const response = await fetchJobs(params); - testJobDetails = response.jobs[0]; - } catch (error) { - console.log("Failed to fetch jobs:", error); - } - - let mockJobDetails: Job = { - id: "12345", - title: "Frontend Developer IF YOU ARE SEEING THIS, THE FETCH FAILED", - company: { - name: "Reserve Bank of Australiaaaaa", - website: "https://techcorp.com", - logo: "https://connect-assets.prosple.com/cdn/ff/LxBzK0I5Jr8vU1WcXce4lf873yPS9Q67rLOugmUXsJI/1568086775/public/styles/scale_and_crop_center_120x120/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg?itok=T1OmQAn3https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg", - }, - description: - '

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Deploy and configure business systems to meet client needs.
  • \r\n\t
  • Perform systems process mapping and conduct needs analysis sessions with clients.
  • \r\n\t
  • Ensure seamless integration with existing infrastructure and processes.
  • \r\n\t
  • Customize system settings to optimize performance and functionality.
  • \r\n\t
  • Ensure compliance with industry standards and best practices.
  • \r\n\t
  • Conduct thorough testing and validation of system implementations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A recent third-level qualification in a tech-focused discipline.
  • \r\n\t
  • A base-level understanding of system architecture and design principles.
  • \r\n\t
  • Exposure to database management and data integration techniques is a bonus.
  • \r\n\t
  • A willingness to learn and enthusiasm for digital trends.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, free weekly lunches, social events, flexible working options, and modern offices in the CBD.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring, coaching, and both internal and external training programs to enhance your career skills.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement as BlueRock Digital continues to grow, with the potential to take on more senior roles.

\r\n\r\n

Report this job

', - type: "GRADUATE", - locations: ["VIC", "NSW", "TAS", "OTHERS", "QLD"], - industryField: "BIG_TECH", - sourceUrls: ["https://www.seek.com.au/job/12345"], - studyFields: ["IT & Computer Science", "Engineering & Mathematics"], - workingRights: ["AUS_CITIZEN", "OTHER_RIGHTS"], - applicationUrl: "https://careers.mcdonalds.com.au/", - closeDate: "2025-01-15T00:00:00Z", - createdAt: "2025-01-01T00:00:00Z", - updatedAt: "2025-01-01T00:00:00Z", - }; - if (testJobDetails) { - mockJobDetails = testJobDetails; - } + // https://nextjs.org/docs/app/api-reference/file-conventions/page#searchparams-optional + // searchParams is a promise that resolves to an object containing the search + // parameters of the current URL. + const { jobs } = await fetchJobs(await searchParams); return (
@@ -63,7 +30,7 @@ export default async function JobsPage({ {/* Sticky Job Details - hidden on mobile, 70% on desktop */}
- +
From 425e27c08276c69b0c0d0205195ae6901b34690d Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:17:04 +1100 Subject: [PATCH 17/23] untrack tsconfig.tsbuildinfo its a generated file thats specific to a particular machine and build process --- frontend/.gitignore | 3 +++ frontend/tsconfig.tsbuildinfo | 1 - 2 files changed, 3 insertions(+), 1 deletion(-) delete mode 100644 frontend/tsconfig.tsbuildinfo diff --git a/frontend/.gitignore b/frontend/.gitignore index fe43ac1..05540d4 100644 --- a/frontend/.gitignore +++ b/frontend/.gitignore @@ -87,3 +87,6 @@ coverage/ desktop.ini /repo-to-text/ + +# TypeScript build info +tsconfig.tsbuildinfo \ No newline at end of file diff --git a/frontend/tsconfig.tsbuildinfo b/frontend/tsconfig.tsbuildinfo deleted file mode 100644 index 68ded18..0000000 --- a/frontend/tsconfig.tsbuildinfo +++ /dev/null @@ -1 +0,0 @@ -{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.es2021.d.ts","./node_modules/typescript/lib/lib.es2022.d.ts","./node_modules/typescript/lib/lib.es2023.d.ts","./node_modules/typescript/lib/lib.es2024.d.ts","./node_modules/typescript/lib/lib.esnext.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.es2021.promise.d.ts","./node_modules/typescript/lib/lib.es2021.string.d.ts","./node_modules/typescript/lib/lib.es2021.weakref.d.ts","./node_modules/typescript/lib/lib.es2021.intl.d.ts","./node_modules/typescript/lib/lib.es2022.array.d.ts","./node_modules/typescript/lib/lib.es2022.error.d.ts","./node_modules/typescript/lib/lib.es2022.intl.d.ts","./node_modules/typescript/lib/lib.es2022.object.d.ts","./node_modules/typescript/lib/lib.es2022.string.d.ts","./node_modules/typescript/lib/lib.es2022.regexp.d.ts","./node_modules/typescript/lib/lib.es2023.array.d.ts","./node_modules/typescript/lib/lib.es2023.collection.d.ts","./node_modules/typescript/lib/lib.es2023.intl.d.ts","./node_modules/typescript/lib/lib.es2024.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2024.collection.d.ts","./node_modules/typescript/lib/lib.es2024.object.d.ts","./node_modules/typescript/lib/lib.es2024.promise.d.ts","./node_modules/typescript/lib/lib.es2024.regexp.d.ts","./node_modules/typescript/lib/lib.es2024.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2024.string.d.ts","./node_modules/typescript/lib/lib.esnext.array.d.ts","./node_modules/typescript/lib/lib.esnext.collection.d.ts","./node_modules/typescript/lib/lib.esnext.intl.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.decorators.d.ts","./node_modules/typescript/lib/lib.esnext.iterator.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/next/dist/styled-jsx/types/css.d.ts","./node_modules/next/dist/styled-jsx/types/macro.d.ts","./node_modules/next/dist/styled-jsx/types/style.d.ts","./node_modules/next/dist/styled-jsx/types/global.d.ts","./node_modules/next/dist/styled-jsx/types/index.d.ts","./node_modules/next/dist/shared/lib/amp.d.ts","./node_modules/next/amp.d.ts","./node_modules/next/dist/server/get-page-files.d.ts","./node_modules/@types/node/compatibility/disposable.d.ts","./node_modules/@types/node/compatibility/indexable.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/compatibility/index.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/file.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/filereader.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/dom-events.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/@types/react/canary.d.ts","./node_modules/@types/react/experimental.d.ts","./node_modules/@types/react-dom/index.d.ts","./node_modules/@types/react-dom/canary.d.ts","./node_modules/@types/react-dom/experimental.d.ts","./node_modules/next/dist/lib/fallback.d.ts","./node_modules/next/dist/compiled/webpack/webpack.d.ts","./node_modules/next/dist/server/config.d.ts","./node_modules/next/dist/lib/load-custom-routes.d.ts","./node_modules/next/dist/shared/lib/image-config.d.ts","./node_modules/next/dist/build/webpack/plugins/subresource-integrity-plugin.d.ts","./node_modules/next/dist/server/body-streams.d.ts","./node_modules/next/dist/server/lib/revalidate.d.ts","./node_modules/next/dist/lib/setup-exception-listeners.d.ts","./node_modules/next/dist/lib/worker.d.ts","./node_modules/next/dist/lib/constants.d.ts","./node_modules/next/dist/client/components/app-router-headers.d.ts","./node_modules/next/dist/build/rendering-mode.d.ts","./node_modules/next/dist/server/require-hook.d.ts","./node_modules/next/dist/server/lib/experimental/ppr.d.ts","./node_modules/next/dist/build/webpack/plugins/app-build-manifest-plugin.d.ts","./node_modules/next/dist/lib/page-types.d.ts","./node_modules/next/dist/build/segment-config/app/app-segment-config.d.ts","./node_modules/next/dist/build/segment-config/pages/pages-segment-config.d.ts","./node_modules/next/dist/build/analysis/get-page-static-info.d.ts","./node_modules/next/dist/build/webpack/loaders/get-module-build-info.d.ts","./node_modules/next/dist/build/webpack/plugins/middleware-plugin.d.ts","./node_modules/next/dist/server/route-kind.d.ts","./node_modules/next/dist/server/route-definitions/route-definition.d.ts","./node_modules/next/dist/server/route-definitions/app-page-route-definition.d.ts","./node_modules/next/dist/server/lib/cache-handlers/types.d.ts","./node_modules/next/dist/server/response-cache/types.d.ts","./node_modules/next/dist/server/resume-data-cache/cache-store.d.ts","./node_modules/next/dist/server/resume-data-cache/resume-data-cache.d.ts","./node_modules/next/dist/server/render-result.d.ts","./node_modules/next/dist/build/webpack/plugins/flight-manifest-plugin.d.ts","./node_modules/next/dist/server/route-modules/route-module.d.ts","./node_modules/next/dist/shared/lib/deep-readonly.d.ts","./node_modules/next/dist/server/load-components.d.ts","./node_modules/next/dist/build/webpack/plugins/next-font-manifest-plugin.d.ts","./node_modules/next/dist/client/components/router-reducer/router-reducer-types.d.ts","./node_modules/next/dist/client/flight-data-helpers.d.ts","./node_modules/next/dist/client/components/router-reducer/fetch-server-response.d.ts","./node_modules/next/dist/shared/lib/app-router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/router/utils/middleware-route-matcher.d.ts","./node_modules/next/dist/server/route-definitions/locale-route-definition.d.ts","./node_modules/next/dist/server/route-definitions/pages-route-definition.d.ts","./node_modules/next/dist/shared/lib/mitt.d.ts","./node_modules/next/dist/client/with-router.d.ts","./node_modules/next/dist/client/router.d.ts","./node_modules/next/dist/client/route-loader.d.ts","./node_modules/next/dist/client/page-loader.d.ts","./node_modules/next/dist/shared/lib/bloom-filter.d.ts","./node_modules/next/dist/shared/lib/router/router.d.ts","./node_modules/next/dist/shared/lib/router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/image-config-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/hooks-client-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/head-manager-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/amp-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/server-inserted-html.shared-runtime.d.ts","./node_modules/next/dist/server/route-modules/pages/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/pages/module.compiled.d.ts","./node_modules/next/dist/build/templates/pages.d.ts","./node_modules/next/dist/server/route-modules/pages/module.d.ts","./node_modules/next/dist/server/render.d.ts","./node_modules/next/dist/server/response-cache/index.d.ts","./node_modules/next/dist/build/webpack/plugins/pages-manifest-plugin.d.ts","./node_modules/next/dist/server/route-definitions/pages-api-route-definition.d.ts","./node_modules/next/dist/server/route-matches/pages-api-route-match.d.ts","./node_modules/next/dist/server/instrumentation/types.d.ts","./node_modules/next/dist/server/route-matchers/route-matcher.d.ts","./node_modules/next/dist/server/route-matcher-providers/route-matcher-provider.d.ts","./node_modules/next/dist/server/lib/i18n-provider.d.ts","./node_modules/next/dist/server/route-matcher-managers/route-matcher-manager.d.ts","./node_modules/next/dist/server/normalizers/normalizer.d.ts","./node_modules/next/dist/server/normalizers/locale-route-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/pathname-normalizer.d.ts","./node_modules/next/dist/server/normalizers/request/suffix.d.ts","./node_modules/next/dist/server/normalizers/request/rsc.d.ts","./node_modules/next/dist/server/normalizers/request/prefetch-rsc.d.ts","./node_modules/next/dist/server/normalizers/request/next-data.d.ts","./node_modules/next/dist/server/after/builtin-request-context.d.ts","./node_modules/next/dist/server/base-server.d.ts","./node_modules/next/dist/server/web/next-url.d.ts","./node_modules/next/dist/compiled/@edge-runtime/cookies/index.d.ts","./node_modules/next/dist/server/web/spec-extension/cookies.d.ts","./node_modules/next/dist/server/web/spec-extension/request.d.ts","./node_modules/next/dist/server/web/spec-extension/fetch-event.d.ts","./node_modules/next/dist/server/web/spec-extension/response.d.ts","./node_modules/next/dist/build/segment-config/middleware/middleware-config.d.ts","./node_modules/next/dist/server/web/types.d.ts","./node_modules/next/dist/server/web/adapter.d.ts","./node_modules/next/dist/server/use-cache/cache-life.d.ts","./node_modules/next/dist/server/app-render/types.d.ts","./node_modules/next/dist/shared/lib/modern-browserslist-target.d.ts","./node_modules/next/dist/shared/lib/constants.d.ts","./node_modules/next/dist/build/webpack/loaders/metadata/types.d.ts","./node_modules/next/dist/build/page-extensions-type.d.ts","./node_modules/next/dist/build/webpack/loaders/next-app-loader/index.d.ts","./node_modules/next/dist/server/lib/app-dir-module.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/request-cookies.d.ts","./node_modules/next/dist/server/async-storage/draft-mode-provider.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/headers.d.ts","./node_modules/next/dist/server/app-render/cache-signal.d.ts","./node_modules/next/dist/server/app-render/dynamic-rendering.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-unit-async-storage.external.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-relative-url.d.ts","./node_modules/next/dist/server/request/fallback-params.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot-instance.d.ts","./node_modules/next/dist/server/app-render/clean-async-snapshot.external.d.ts","./node_modules/next/dist/server/app-render/app-render.d.ts","./node_modules/next/dist/server/route-modules/app-page/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.compiled.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/next/dist/client/components/error-boundary.d.ts","./node_modules/next/dist/client/components/layout-router.d.ts","./node_modules/next/dist/client/components/render-from-template-context.d.ts","./node_modules/next/dist/server/app-render/action-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/action-async-storage.external.d.ts","./node_modules/next/dist/client/components/client-page.d.ts","./node_modules/next/dist/client/components/client-segment.d.ts","./node_modules/next/dist/server/request/search-params.d.ts","./node_modules/next/dist/client/components/hooks-server-context.d.ts","./node_modules/next/dist/client/components/http-access-fallback/error-boundary.d.ts","./node_modules/next/dist/lib/metadata/types/alternative-urls-types.d.ts","./node_modules/next/dist/lib/metadata/types/extra-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-types.d.ts","./node_modules/next/dist/lib/metadata/types/manifest-types.d.ts","./node_modules/next/dist/lib/metadata/types/opengraph-types.d.ts","./node_modules/next/dist/lib/metadata/types/twitter-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-interface.d.ts","./node_modules/next/dist/lib/metadata/types/resolvers.d.ts","./node_modules/next/dist/lib/metadata/types/icons.d.ts","./node_modules/next/dist/lib/metadata/resolve-metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata.d.ts","./node_modules/next/dist/lib/metadata/metadata-boundary.d.ts","./node_modules/next/dist/server/app-render/rsc/preloads.d.ts","./node_modules/next/dist/server/app-render/rsc/postpone.d.ts","./node_modules/next/dist/server/app-render/rsc/taint.d.ts","./node_modules/next/dist/server/app-render/collect-segment-data.d.ts","./node_modules/next/dist/server/app-render/entry-base.d.ts","./node_modules/next/dist/build/templates/app-page.d.ts","./node_modules/next/dist/server/route-modules/app-page/module.d.ts","./node_modules/next/dist/server/node-polyfill-crypto.d.ts","./node_modules/next/dist/server/node-environment-baseline.d.ts","./node_modules/next/dist/server/node-environment-extensions/error-inspect.d.ts","./node_modules/next/dist/server/node-environment-extensions/random.d.ts","./node_modules/next/dist/server/node-environment-extensions/date.d.ts","./node_modules/next/dist/server/node-environment-extensions/web-crypto.d.ts","./node_modules/next/dist/server/node-environment-extensions/node-crypto.d.ts","./node_modules/next/dist/server/node-environment.d.ts","./node_modules/next/dist/server/route-definitions/app-route-route-definition.d.ts","./node_modules/next/dist/server/async-storage/work-store.d.ts","./node_modules/next/dist/server/web/http.d.ts","./node_modules/next/dist/server/route-modules/app-route/shared-modules.d.ts","./node_modules/next/dist/client/components/redirect-status-code.d.ts","./node_modules/next/dist/client/components/redirect-error.d.ts","./node_modules/next/dist/build/templates/app-route.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.d.ts","./node_modules/next/dist/server/route-modules/app-route/module.compiled.d.ts","./node_modules/next/dist/build/segment-config/app/app-segments.d.ts","./node_modules/next/dist/build/utils.d.ts","./node_modules/next/dist/build/turborepo-access-trace/types.d.ts","./node_modules/next/dist/build/turborepo-access-trace/result.d.ts","./node_modules/next/dist/build/turborepo-access-trace/helpers.d.ts","./node_modules/next/dist/build/turborepo-access-trace/index.d.ts","./node_modules/next/dist/export/types.d.ts","./node_modules/next/dist/export/worker.d.ts","./node_modules/next/dist/build/worker.d.ts","./node_modules/next/dist/build/index.d.ts","./node_modules/next/dist/server/lib/incremental-cache/index.d.ts","./node_modules/next/dist/server/after/after.d.ts","./node_modules/next/dist/server/after/after-context.d.ts","./node_modules/next/dist/server/app-render/work-async-storage-instance.d.ts","./node_modules/next/dist/server/app-render/work-async-storage.external.d.ts","./node_modules/next/dist/server/request/params.d.ts","./node_modules/next/dist/server/route-matches/route-match.d.ts","./node_modules/next/dist/server/request-meta.d.ts","./node_modules/next/dist/cli/next-test.d.ts","./node_modules/next/dist/server/config-shared.d.ts","./node_modules/next/dist/server/base-http/index.d.ts","./node_modules/next/dist/server/api-utils/index.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-url.d.ts","./node_modules/next/dist/server/base-http/node.d.ts","./node_modules/next/dist/server/lib/async-callback-set.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-regex.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-matcher.d.ts","./node_modules/sharp/lib/index.d.ts","./node_modules/next/dist/server/image-optimizer.d.ts","./node_modules/next/dist/server/next-server.d.ts","./node_modules/next/dist/lib/coalesced-function.d.ts","./node_modules/next/dist/server/lib/router-utils/types.d.ts","./node_modules/next/dist/trace/types.d.ts","./node_modules/next/dist/trace/trace.d.ts","./node_modules/next/dist/trace/shared.d.ts","./node_modules/next/dist/trace/index.d.ts","./node_modules/next/dist/build/load-jsconfig.d.ts","./node_modules/next/dist/build/webpack-config.d.ts","./node_modules/next/dist/build/swc/generated-native.d.ts","./node_modules/next/dist/build/swc/types.d.ts","./node_modules/next/dist/server/dev/parse-version-info.d.ts","./node_modules/next/dist/client/components/react-dev-overlay/types.d.ts","./node_modules/next/dist/server/dev/hot-reloader-types.d.ts","./node_modules/next/dist/telemetry/storage.d.ts","./node_modules/next/dist/server/lib/render-server.d.ts","./node_modules/next/dist/server/lib/router-server.d.ts","./node_modules/next/dist/shared/lib/router/utils/path-match.d.ts","./node_modules/next/dist/server/lib/router-utils/filesystem.d.ts","./node_modules/next/dist/server/lib/router-utils/setup-dev-bundler.d.ts","./node_modules/next/dist/server/lib/types.d.ts","./node_modules/next/dist/server/lib/lru-cache.d.ts","./node_modules/next/dist/server/lib/dev-bundler-service.d.ts","./node_modules/next/dist/server/dev/static-paths-worker.d.ts","./node_modules/next/dist/server/dev/next-dev-server.d.ts","./node_modules/next/dist/server/next.d.ts","./node_modules/next/dist/types.d.ts","./node_modules/next/dist/shared/lib/html-context.shared-runtime.d.ts","./node_modules/@next/env/dist/index.d.ts","./node_modules/next/dist/shared/lib/utils.d.ts","./node_modules/next/dist/pages/_app.d.ts","./node_modules/next/app.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-cache.d.ts","./node_modules/next/dist/server/web/spec-extension/revalidate.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-no-store.d.ts","./node_modules/next/dist/server/use-cache/cache-tag.d.ts","./node_modules/next/cache.d.ts","./node_modules/next/dist/shared/lib/runtime-config.external.d.ts","./node_modules/next/config.d.ts","./node_modules/next/dist/pages/_document.d.ts","./node_modules/next/document.d.ts","./node_modules/next/dist/shared/lib/dynamic.d.ts","./node_modules/next/dynamic.d.ts","./node_modules/next/dist/pages/_error.d.ts","./node_modules/next/error.d.ts","./node_modules/next/dist/shared/lib/head.d.ts","./node_modules/next/head.d.ts","./node_modules/next/dist/server/request/cookies.d.ts","./node_modules/next/dist/server/request/headers.d.ts","./node_modules/next/dist/server/request/draft-mode.d.ts","./node_modules/next/headers.d.ts","./node_modules/next/dist/shared/lib/get-img-props.d.ts","./node_modules/next/dist/client/image-component.d.ts","./node_modules/next/dist/shared/lib/image-external.d.ts","./node_modules/next/image.d.ts","./node_modules/next/dist/client/link.d.ts","./node_modules/next/link.d.ts","./node_modules/next/dist/client/components/redirect.d.ts","./node_modules/next/dist/client/components/not-found.d.ts","./node_modules/next/dist/client/components/forbidden.d.ts","./node_modules/next/dist/client/components/unauthorized.d.ts","./node_modules/next/dist/client/components/unstable-rethrow.d.ts","./node_modules/next/dist/client/components/navigation.react-server.d.ts","./node_modules/next/dist/client/components/navigation.d.ts","./node_modules/next/navigation.d.ts","./node_modules/next/router.d.ts","./node_modules/next/dist/client/script.d.ts","./node_modules/next/script.d.ts","./node_modules/next/dist/server/web/spec-extension/user-agent.d.ts","./node_modules/next/dist/compiled/@edge-runtime/primitives/url.d.ts","./node_modules/next/dist/server/web/spec-extension/image-response.d.ts","./node_modules/next/dist/compiled/@vercel/og/satori/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/emoji/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/types.d.ts","./node_modules/next/dist/server/after/index.d.ts","./node_modules/next/dist/server/request/connection.d.ts","./node_modules/next/server.d.ts","./node_modules/next/types/global.d.ts","./node_modules/next/types/compiled.d.ts","./node_modules/next/types.d.ts","./node_modules/next/index.d.ts","./node_modules/next/image-types/global.d.ts","./next-env.d.ts","./next.config.ts","./node_modules/source-map-js/source-map.d.ts","./node_modules/postcss/lib/previous-map.d.ts","./node_modules/postcss/lib/input.d.ts","./node_modules/postcss/lib/css-syntax-error.d.ts","./node_modules/postcss/lib/declaration.d.ts","./node_modules/postcss/lib/root.d.ts","./node_modules/postcss/lib/warning.d.ts","./node_modules/postcss/lib/lazy-result.d.ts","./node_modules/postcss/lib/no-work-result.d.ts","./node_modules/postcss/lib/processor.d.ts","./node_modules/postcss/lib/result.d.ts","./node_modules/postcss/lib/document.d.ts","./node_modules/postcss/lib/rule.d.ts","./node_modules/postcss/lib/node.d.ts","./node_modules/postcss/lib/comment.d.ts","./node_modules/postcss/lib/container.d.ts","./node_modules/postcss/lib/at-rule.d.ts","./node_modules/postcss/lib/list.d.ts","./node_modules/postcss/lib/postcss.d.ts","./node_modules/postcss/lib/postcss.d.mts","./node_modules/tailwindcss/types/generated/corepluginlist.d.ts","./node_modules/tailwindcss/types/generated/colors.d.ts","./node_modules/tailwindcss/types/config.d.ts","./node_modules/tailwindcss/types/index.d.ts","./tailwind.config.ts","./node_modules/bson/bson.d.ts","./node_modules/mongodb/mongodb.d.ts","./src/app/api/jobs/route.ts","./src/types/job.ts","./src/types/filters.ts","./src/lib/fetch-jobs.ts","./src/lib/jobs.json","./src/lib/transform-job-data.ts","./src/lib/mock-data.ts","./node_modules/react-remove-scroll/dist/es5/types.d.ts","./node_modules/react-remove-scroll/dist/es5/combination.d.ts","./node_modules/react-remove-scroll/dist/es5/index.d.ts","./node_modules/@mantine/core/lib/core/utils/keys/keys.d.ts","./node_modules/@mantine/core/lib/core/utils/deep-merge/deep-merge.d.ts","./node_modules/@mantine/core/lib/core/utils/camel-to-kebab-case/camel-to-kebab-case.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/px.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/rem.d.ts","./node_modules/@mantine/core/lib/core/utils/units-converters/index.d.ts","./node_modules/@mantine/core/lib/core/utils/filter-props/filter-props.d.ts","./node_modules/@mantine/core/lib/core/utils/is-number-like/is-number-like.d.ts","./node_modules/@mantine/core/lib/core/utils/is-element/is-element.d.ts","./node_modules/@mantine/core/lib/core/utils/create-safe-context/create-safe-context.d.ts","./node_modules/@mantine/core/lib/core/utils/create-optional-context/create-optional-context.d.ts","./node_modules/@mantine/core/lib/core/utils/get-safe-id/get-safe-id.d.ts","./node_modules/@mantine/core/lib/core/utils/create-scoped-keydown-handler/create-scoped-keydown-handler.d.ts","./node_modules/@mantine/core/lib/core/utils/find-element-ancestor/find-element-ancestor.d.ts","./node_modules/@mantine/core/lib/core/utils/get-default-z-index/get-default-z-index.d.ts","./node_modules/@mantine/core/lib/core/utils/close-on-escape/close-on-escape.d.ts","./node_modules/@mantine/core/lib/core/utils/noop/noop.d.ts","./node_modules/@mantine/core/lib/core/utils/get-size/get-size.d.ts","./node_modules/@mantine/core/lib/core/utils/create-event-handler/create-event-handler.d.ts","./node_modules/type-fest/source/primitive.d.ts","./node_modules/type-fest/source/typed-array.d.ts","./node_modules/type-fest/source/basic.d.ts","./node_modules/type-fest/source/observable-like.d.ts","./node_modules/type-fest/source/union-to-intersection.d.ts","./node_modules/type-fest/source/keys-of-union.d.ts","./node_modules/type-fest/source/distributed-omit.d.ts","./node_modules/type-fest/source/distributed-pick.d.ts","./node_modules/type-fest/source/empty-object.d.ts","./node_modules/type-fest/source/if-empty-object.d.ts","./node_modules/type-fest/source/required-keys-of.d.ts","./node_modules/type-fest/source/has-required-keys.d.ts","./node_modules/type-fest/source/is-equal.d.ts","./node_modules/type-fest/source/except.d.ts","./node_modules/type-fest/source/require-at-least-one.d.ts","./node_modules/type-fest/source/non-empty-object.d.ts","./node_modules/type-fest/source/unknown-record.d.ts","./node_modules/type-fest/source/unknown-array.d.ts","./node_modules/type-fest/source/tagged-union.d.ts","./node_modules/type-fest/source/simplify.d.ts","./node_modules/type-fest/source/writable.d.ts","./node_modules/type-fest/source/is-never.d.ts","./node_modules/type-fest/source/if-never.d.ts","./node_modules/type-fest/source/internal/array.d.ts","./node_modules/type-fest/source/internal/characters.d.ts","./node_modules/type-fest/source/is-any.d.ts","./node_modules/type-fest/source/is-float.d.ts","./node_modules/type-fest/source/is-integer.d.ts","./node_modules/type-fest/source/numeric.d.ts","./node_modules/type-fest/source/is-literal.d.ts","./node_modules/type-fest/source/trim.d.ts","./node_modules/type-fest/source/and.d.ts","./node_modules/type-fest/source/or.d.ts","./node_modules/type-fest/source/greater-than.d.ts","./node_modules/type-fest/source/greater-than-or-equal.d.ts","./node_modules/type-fest/source/less-than.d.ts","./node_modules/type-fest/source/internal/tuple.d.ts","./node_modules/type-fest/source/internal/string.d.ts","./node_modules/type-fest/source/internal/keys.d.ts","./node_modules/type-fest/source/internal/numeric.d.ts","./node_modules/type-fest/source/internal/type.d.ts","./node_modules/type-fest/source/internal/object.d.ts","./node_modules/type-fest/source/internal/index.d.ts","./node_modules/type-fest/source/writable-deep.d.ts","./node_modules/type-fest/source/omit-index-signature.d.ts","./node_modules/type-fest/source/pick-index-signature.d.ts","./node_modules/type-fest/source/merge.d.ts","./node_modules/type-fest/source/conditional-simplify.d.ts","./node_modules/type-fest/source/non-empty-tuple.d.ts","./node_modules/type-fest/source/array-tail.d.ts","./node_modules/type-fest/source/enforce-optional.d.ts","./node_modules/type-fest/source/simplify-deep.d.ts","./node_modules/type-fest/source/merge-deep.d.ts","./node_modules/type-fest/source/merge-exclusive.d.ts","./node_modules/type-fest/source/require-exactly-one.d.ts","./node_modules/type-fest/source/require-all-or-none.d.ts","./node_modules/type-fest/source/require-one-or-none.d.ts","./node_modules/type-fest/source/single-key-object.d.ts","./node_modules/type-fest/source/partial-deep.d.ts","./node_modules/type-fest/source/required-deep.d.ts","./node_modules/type-fest/source/sum.d.ts","./node_modules/type-fest/source/subtract.d.ts","./node_modules/type-fest/source/paths.d.ts","./node_modules/type-fest/source/pick-deep.d.ts","./node_modules/type-fest/source/array-splice.d.ts","./node_modules/type-fest/source/literal-union.d.ts","./node_modules/type-fest/source/shared-union-fields-deep.d.ts","./node_modules/type-fest/source/omit-deep.d.ts","./node_modules/type-fest/source/is-null.d.ts","./node_modules/type-fest/source/is-unknown.d.ts","./node_modules/type-fest/source/if-unknown.d.ts","./node_modules/type-fest/source/partial-on-undefined-deep.d.ts","./node_modules/type-fest/source/undefined-on-partial-deep.d.ts","./node_modules/type-fest/source/readonly-deep.d.ts","./node_modules/type-fest/source/promisable.d.ts","./node_modules/type-fest/source/arrayable.d.ts","./node_modules/type-fest/source/tagged.d.ts","./node_modules/type-fest/source/invariant-of.d.ts","./node_modules/type-fest/source/set-optional.d.ts","./node_modules/type-fest/source/set-readonly.d.ts","./node_modules/type-fest/source/optional-keys-of.d.ts","./node_modules/type-fest/source/set-required.d.ts","./node_modules/type-fest/source/union-to-tuple.d.ts","./node_modules/type-fest/source/set-required-deep.d.ts","./node_modules/type-fest/source/set-non-nullable.d.ts","./node_modules/type-fest/source/value-of.d.ts","./node_modules/type-fest/source/async-return-type.d.ts","./node_modules/type-fest/source/conditional-keys.d.ts","./node_modules/type-fest/source/conditional-except.d.ts","./node_modules/type-fest/source/conditional-pick.d.ts","./node_modules/type-fest/source/conditional-pick-deep.d.ts","./node_modules/type-fest/source/stringified.d.ts","./node_modules/type-fest/source/join.d.ts","./node_modules/type-fest/source/less-than-or-equal.d.ts","./node_modules/type-fest/source/array-slice.d.ts","./node_modules/type-fest/source/string-slice.d.ts","./node_modules/type-fest/source/fixed-length-array.d.ts","./node_modules/type-fest/source/multidimensional-array.d.ts","./node_modules/type-fest/source/multidimensional-readonly-array.d.ts","./node_modules/type-fest/source/iterable-element.d.ts","./node_modules/type-fest/source/entry.d.ts","./node_modules/type-fest/source/entries.d.ts","./node_modules/type-fest/source/set-return-type.d.ts","./node_modules/type-fest/source/set-parameter-type.d.ts","./node_modules/type-fest/source/asyncify.d.ts","./node_modules/type-fest/source/jsonify.d.ts","./node_modules/type-fest/source/jsonifiable.d.ts","./node_modules/type-fest/source/find-global-type.d.ts","./node_modules/type-fest/source/structured-cloneable.d.ts","./node_modules/type-fest/source/schema.d.ts","./node_modules/type-fest/source/literal-to-primitive.d.ts","./node_modules/type-fest/source/literal-to-primitive-deep.d.ts","./node_modules/type-fest/source/string-key-of.d.ts","./node_modules/type-fest/source/exact.d.ts","./node_modules/type-fest/source/readonly-tuple.d.ts","./node_modules/type-fest/source/override-properties.d.ts","./node_modules/type-fest/source/has-optional-keys.d.ts","./node_modules/type-fest/source/readonly-keys-of.d.ts","./node_modules/type-fest/source/has-readonly-keys.d.ts","./node_modules/type-fest/source/writable-keys-of.d.ts","./node_modules/type-fest/source/has-writable-keys.d.ts","./node_modules/type-fest/source/spread.d.ts","./node_modules/type-fest/source/tuple-to-union.d.ts","./node_modules/type-fest/source/int-range.d.ts","./node_modules/type-fest/source/int-closed-range.d.ts","./node_modules/type-fest/source/if-any.d.ts","./node_modules/type-fest/source/is-tuple.d.ts","./node_modules/type-fest/source/array-indices.d.ts","./node_modules/type-fest/source/array-values.d.ts","./node_modules/type-fest/source/set-field-type.d.ts","./node_modules/type-fest/source/shared-union-fields.d.ts","./node_modules/type-fest/source/if-null.d.ts","./node_modules/type-fest/source/words.d.ts","./node_modules/type-fest/source/camel-case.d.ts","./node_modules/type-fest/source/camel-cased-properties.d.ts","./node_modules/type-fest/source/camel-cased-properties-deep.d.ts","./node_modules/type-fest/source/delimiter-case.d.ts","./node_modules/type-fest/source/kebab-case.d.ts","./node_modules/type-fest/source/delimiter-cased-properties.d.ts","./node_modules/type-fest/source/kebab-cased-properties.d.ts","./node_modules/type-fest/source/delimiter-cased-properties-deep.d.ts","./node_modules/type-fest/source/kebab-cased-properties-deep.d.ts","./node_modules/type-fest/source/pascal-case.d.ts","./node_modules/type-fest/source/pascal-cased-properties.d.ts","./node_modules/type-fest/source/pascal-cased-properties-deep.d.ts","./node_modules/type-fest/source/snake-case.d.ts","./node_modules/type-fest/source/snake-cased-properties.d.ts","./node_modules/type-fest/source/snake-cased-properties-deep.d.ts","./node_modules/type-fest/source/includes.d.ts","./node_modules/type-fest/source/screaming-snake-case.d.ts","./node_modules/type-fest/source/split.d.ts","./node_modules/type-fest/source/replace.d.ts","./node_modules/type-fest/source/string-repeat.d.ts","./node_modules/type-fest/source/get.d.ts","./node_modules/type-fest/source/last-array-element.d.ts","./node_modules/type-fest/source/global-this.d.ts","./node_modules/type-fest/source/package-json.d.ts","./node_modules/type-fest/source/tsconfig-json.d.ts","./node_modules/type-fest/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-primary-shade/get-primary-shade.d.ts","./node_modules/@mantine/core/lib/core/box/box.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props.types.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/extract-style-props/extract-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/border-resolver/border-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/color-resolver/color-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-family-resolver/font-family-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/font-size-resolver/font-size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/identity-resolver/identity-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/line-height-resolver/line-height-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/size-resolver/size-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/spacing-resolver/spacing-resolver.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/resolvers/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/style-props-data.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/styles-to-string/styles-to-string.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/inlinestyles.d.ts","./node_modules/@mantine/core/lib/core/inlinestyles/index.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/sort-media-queries.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/parse-style-props/parse-style-props.d.ts","./node_modules/@mantine/core/lib/core/box/style-props/index.d.ts","./node_modules/@mantine/core/lib/core/box/use-random-classname/use-random-classname.d.ts","./node_modules/@mantine/core/lib/core/box/get-style-object/get-style-object.d.ts","./node_modules/@mantine/core/lib/core/styles-api/create-vars-resolver/create-vars-resolver.d.ts","./node_modules/@mantine/core/lib/core/styles-api/styles-api.types.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-class-name.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/resolve-class-names/resolve-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-vars/resolve-vars.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/get-style.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-style/resolve-styles/resolve-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-resolved-styles-api/use-resolved-styles-api.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/get-class-name/get-global-class-names/get-global-class-names.d.ts","./node_modules/@mantine/core/lib/core/styles-api/use-styles/use-styles.d.ts","./node_modules/@mantine/core/lib/core/styles-api/index.d.ts","./node_modules/@mantine/core/lib/core/factory/factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-polymorphic-component.d.ts","./node_modules/@mantine/core/lib/core/factory/polymorphic-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/create-factory.d.ts","./node_modules/@mantine/core/lib/core/factory/index.d.ts","./node_modules/@mantine/core/lib/core/box/box.d.ts","./node_modules/@mantine/core/lib/core/box/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/parse-theme-color/parse-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-theme-color/get-theme-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/default-variant-colors-resolver/default-variant-colors-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-gradient/get-gradient.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/to-rgba/to-rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/rgba/rgba.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/darken/darken.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/lighten/lighten.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/luminance/luminance.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-contrast-color/get-contrast-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/get-auto-contrast-value/get-auto-contrast-value.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/colors-tuple/colors-tuple.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-functions/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/theme.types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/types.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/local-storage-manager.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/is-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/color-scheme-managers/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-mantine-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-provider-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/utils/clamp/clamp.d.ts","./node_modules/@mantine/hooks/lib/utils/lower-first/lower-first.d.ts","./node_modules/@mantine/hooks/lib/utils/random-id/random-id.d.ts","./node_modules/@mantine/hooks/lib/utils/range/range.d.ts","./node_modules/@mantine/hooks/lib/utils/shallow-equal/shallow-equal.d.ts","./node_modules/@mantine/hooks/lib/utils/upper-first/upper-first.d.ts","./node_modules/@mantine/hooks/lib/utils/index.d.ts","./node_modules/@mantine/hooks/lib/use-callback-ref/use-callback-ref.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-callback/use-debounced-callback.d.ts","./node_modules/@mantine/hooks/lib/use-click-outside/use-click-outside.d.ts","./node_modules/@mantine/hooks/lib/use-clipboard/use-clipboard.d.ts","./node_modules/@mantine/hooks/lib/use-media-query/use-media-query.d.ts","./node_modules/@mantine/hooks/lib/use-color-scheme/use-color-scheme.d.ts","./node_modules/@mantine/hooks/lib/use-counter/use-counter.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-state/use-debounced-state.d.ts","./node_modules/@mantine/hooks/lib/use-debounced-value/use-debounced-value.d.ts","./node_modules/@mantine/hooks/lib/use-document-title/use-document-title.d.ts","./node_modules/@mantine/hooks/lib/use-document-visibility/use-document-visibility.d.ts","./node_modules/@mantine/hooks/lib/use-focus-return/use-focus-return.d.ts","./node_modules/@mantine/hooks/lib/use-did-update/use-did-update.d.ts","./node_modules/@mantine/hooks/lib/use-focus-trap/use-focus-trap.d.ts","./node_modules/@mantine/hooks/lib/use-force-update/use-force-update.d.ts","./node_modules/@mantine/hooks/lib/use-id/use-id.d.ts","./node_modules/@mantine/hooks/lib/use-idle/use-idle.d.ts","./node_modules/@mantine/hooks/lib/use-interval/use-interval.d.ts","./node_modules/@mantine/hooks/lib/use-isomorphic-effect/use-isomorphic-effect.d.ts","./node_modules/@mantine/hooks/lib/use-list-state/use-list-state.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/create-storage.d.ts","./node_modules/@mantine/hooks/lib/use-local-storage/use-local-storage.d.ts","./node_modules/@mantine/hooks/lib/use-session-storage/use-session-storage.d.ts","./node_modules/@mantine/hooks/lib/use-merged-ref/use-merged-ref.d.ts","./node_modules/@mantine/hooks/lib/use-mouse/use-mouse.d.ts","./node_modules/@mantine/hooks/lib/use-move/use-move.d.ts","./node_modules/@mantine/hooks/lib/use-pagination/use-pagination.d.ts","./node_modules/@mantine/hooks/lib/use-queue/use-queue.d.ts","./node_modules/@mantine/hooks/lib/use-page-leave/use-page-leave.d.ts","./node_modules/@mantine/hooks/lib/use-reduced-motion/use-reduced-motion.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-into-view/use-scroll-into-view.d.ts","./node_modules/@mantine/hooks/lib/use-resize-observer/use-resize-observer.d.ts","./node_modules/@mantine/hooks/lib/use-shallow-effect/use-shallow-effect.d.ts","./node_modules/@mantine/hooks/lib/use-toggle/use-toggle.d.ts","./node_modules/@mantine/hooks/lib/use-uncontrolled/use-uncontrolled.d.ts","./node_modules/@mantine/hooks/lib/use-viewport-size/use-viewport-size.d.ts","./node_modules/@mantine/hooks/lib/use-window-event/use-window-event.d.ts","./node_modules/@mantine/hooks/lib/use-window-scroll/use-window-scroll.d.ts","./node_modules/@mantine/hooks/lib/use-intersection/use-intersection.d.ts","./node_modules/@mantine/hooks/lib/use-hash/use-hash.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/parse-hotkey.d.ts","./node_modules/@mantine/hooks/lib/use-hotkeys/use-hotkeys.d.ts","./node_modules/@mantine/hooks/lib/use-fullscreen/use-fullscreen.d.ts","./node_modules/@mantine/hooks/lib/use-logger/use-logger.d.ts","./node_modules/@mantine/hooks/lib/use-hover/use-hover.d.ts","./node_modules/@mantine/hooks/lib/use-validated-state/use-validated-state.d.ts","./node_modules/@mantine/hooks/lib/use-os/use-os.d.ts","./node_modules/@mantine/hooks/lib/use-set-state/use-set-state.d.ts","./node_modules/@mantine/hooks/lib/use-input-state/use-input-state.d.ts","./node_modules/@mantine/hooks/lib/use-event-listener/use-event-listener.d.ts","./node_modules/@mantine/hooks/lib/use-disclosure/use-disclosure.d.ts","./node_modules/@mantine/hooks/lib/use-focus-within/use-focus-within.d.ts","./node_modules/@mantine/hooks/lib/use-network/use-network.d.ts","./node_modules/@mantine/hooks/lib/use-timeout/use-timeout.d.ts","./node_modules/@mantine/hooks/lib/use-text-selection/use-text-selection.d.ts","./node_modules/@mantine/hooks/lib/use-previous/use-previous.d.ts","./node_modules/@mantine/hooks/lib/use-favicon/use-favicon.d.ts","./node_modules/@mantine/hooks/lib/use-headroom/use-headroom.d.ts","./node_modules/@mantine/hooks/lib/use-eye-dropper/use-eye-dropper.d.ts","./node_modules/@mantine/hooks/lib/use-in-viewport/use-in-viewport.d.ts","./node_modules/@mantine/hooks/lib/use-mutation-observer/use-mutation-observer.d.ts","./node_modules/@mantine/hooks/lib/use-mounted/use-mounted.d.ts","./node_modules/@mantine/hooks/lib/use-state-history/use-state-history.d.ts","./node_modules/@mantine/hooks/lib/use-map/use-map.d.ts","./node_modules/@mantine/hooks/lib/use-set/use-set.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-callback/use-throttled-callback.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-state/use-throttled-state.d.ts","./node_modules/@mantine/hooks/lib/use-throttled-value/use-throttled-value.d.ts","./node_modules/@mantine/hooks/lib/use-is-first-render/use-is-first-render.d.ts","./node_modules/@mantine/hooks/lib/use-orientation/use-orientation.d.ts","./node_modules/@mantine/hooks/lib/use-fetch/use-fetch.d.ts","./node_modules/@mantine/hooks/lib/use-radial-move/use-radial-move.d.ts","./node_modules/@mantine/hooks/lib/use-scroll-spy/use-scroll-spy.d.ts","./node_modules/@mantine/hooks/lib/index.d.mts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/use-computed-color-scheme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-mantine-color-scheme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/colorschemescript.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/colorschemescript/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/default-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/merge-mantine-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-mantine-theme/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/css-variables-object-to-string.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/convert-css-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/convert-css-variables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine.context.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/mantinecssvariables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/default-css-variables-resolver.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/get-css-color-variables.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/virtual-color/virtual-color.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinecssvariables/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantineprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/mantinethemeprovider.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantinethemeprovider/index.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-props/use-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/create-theme/create-theme.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/merge-theme-overrides/merge-theme-overrides.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/use-matches/use-matches.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/mantine-html-props.d.ts","./node_modules/@mantine/core/lib/core/mantineprovider/index.d.ts","./node_modules/@mantine/core/lib/core/utils/get-breakpoint-value/get-breakpoint-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-sorted-breakpoints/get-sorted-breakpoints.d.ts","./node_modules/@mantine/core/lib/core/utils/get-base-value/get-base-value.d.ts","./node_modules/@mantine/core/lib/core/utils/get-context-item-index/get-context-item-index.d.ts","./node_modules/@mantine/core/lib/core/utils/use-hovered/use-hovered.d.ts","./node_modules/@mantine/core/lib/core/utils/create-use-external-events/create-use-external-events.d.ts","./node_modules/@mantine/core/lib/core/utils/get-env/get-env.d.ts","./node_modules/@mantine/core/lib/core/utils/memoize/memoize.d.ts","./node_modules/@mantine/core/lib/core/utils/find-closest-number/find-closest-number.d.ts","./node_modules/@mantine/core/lib/core/utils/get-ref-prop/get-ref-prop.d.ts","./node_modules/@mantine/core/lib/core/utils/index.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/directionprovider.d.ts","./node_modules/@mantine/core/lib/core/directionprovider/index.d.ts","./node_modules/@mantine/core/lib/core/index.d.ts","./node_modules/@mantine/core/lib/components/collapse/collapse.d.ts","./node_modules/@mantine/core/lib/components/collapse/index.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/scrollarea.d.ts","./node_modules/@mantine/core/lib/components/scrollarea/index.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/unstyledbutton.d.ts","./node_modules/@mantine/core/lib/components/unstyledbutton/index.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/visuallyhidden.d.ts","./node_modules/@mantine/core/lib/components/visuallyhidden/index.d.ts","./node_modules/@mantine/core/lib/components/paper/paper.d.ts","./node_modules/@mantine/core/lib/components/paper/index.d.ts","./node_modules/@mantine/core/lib/components/floating/use-delayed-hover.d.ts","./node_modules/@mantine/core/lib/components/floating/types.d.ts","./node_modules/@mantine/core/lib/components/floating/use-floating-auto-update.d.ts","./node_modules/@mantine/core/lib/components/floating/get-floating-position/get-floating-position.d.ts","./node_modules/@mantine/core/lib/components/floating/floatingarrow/floatingarrow.d.ts","./node_modules/@mantine/core/lib/components/floating/index.d.ts","./node_modules/@mantine/core/lib/components/overlay/overlay.d.ts","./node_modules/@mantine/core/lib/components/overlay/index.d.ts","./node_modules/@mantine/core/lib/components/portal/portal.d.ts","./node_modules/@mantine/core/lib/components/portal/optionalportal.d.ts","./node_modules/@mantine/core/lib/components/portal/index.d.ts","./node_modules/@mantine/core/lib/components/transition/transitions.d.ts","./node_modules/@mantine/core/lib/components/transition/transition.d.ts","./node_modules/@mantine/core/lib/components/transition/get-transition-props/get-transition-props.d.ts","./node_modules/@mantine/core/lib/components/transition/index.d.ts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.d.mts","./node_modules/@floating-ui/core/dist/floating-ui.core.d.mts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.dom.d.mts","./node_modules/@floating-ui/dom/dist/floating-ui.dom.d.mts","./node_modules/@floating-ui/react-dom/dist/floating-ui.react-dom.d.mts","./node_modules/@floating-ui/react/dist/floating-ui.react.d.mts","./node_modules/@mantine/core/lib/components/popover/popover.types.d.ts","./node_modules/@mantine/core/lib/components/popover/popovertarget/popovertarget.d.ts","./node_modules/@mantine/core/lib/components/popover/popoverdropdown/popoverdropdown.d.ts","./node_modules/@mantine/core/lib/components/popover/popover.d.ts","./node_modules/@mantine/core/lib/components/popover/index.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.types.d.ts","./node_modules/@mantine/core/lib/components/loader/loader.d.ts","./node_modules/@mantine/core/lib/components/loader/index.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroup/actionicongroup.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicongroupsection/actionicongroupsection.d.ts","./node_modules/@mantine/core/lib/components/actionicon/actionicon.d.ts","./node_modules/@mantine/core/lib/components/actionicon/index.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closeicon.d.ts","./node_modules/@mantine/core/lib/components/closebutton/closebutton.d.ts","./node_modules/@mantine/core/lib/components/closebutton/index.d.ts","./node_modules/@mantine/core/lib/components/group/group.d.ts","./node_modules/@mantine/core/lib/components/group/index.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbase.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasebody.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasecontent.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseheader.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbaseoverlay.d.ts","./node_modules/@mantine/core/lib/components/modalbase/modalbasetitle.d.ts","./node_modules/@mantine/core/lib/components/modalbase/nativescrollarea.d.ts","./node_modules/@mantine/core/lib/components/modalbase/index.d.ts","./node_modules/@mantine/core/lib/components/input/inputclearbutton/inputclearbutton.d.ts","./node_modules/@mantine/core/lib/components/input/inputdescription/inputdescription.d.ts","./node_modules/@mantine/core/lib/components/input/inputerror/inputerror.d.ts","./node_modules/@mantine/core/lib/components/input/inputlabel/inputlabel.d.ts","./node_modules/@mantine/core/lib/components/input/inputplaceholder/inputplaceholder.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper/inputwrapper.d.ts","./node_modules/@mantine/core/lib/components/input/input.d.ts","./node_modules/@mantine/core/lib/components/input/use-input-props.d.ts","./node_modules/@mantine/core/lib/components/input/inputwrapper.context.d.ts","./node_modules/@mantine/core/lib/components/input/index.d.ts","./node_modules/@mantine/core/lib/components/inputbase/inputbase.d.ts","./node_modules/@mantine/core/lib/components/inputbase/index.d.ts","./node_modules/@mantine/core/lib/components/flex/flex-props.d.ts","./node_modules/@mantine/core/lib/components/flex/flex.d.ts","./node_modules/@mantine/core/lib/components/flex/index.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/floatingindicator.d.ts","./node_modules/@mantine/core/lib/components/floatingindicator/index.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.types.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionchevron.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionitem/accordionitem.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordionpanel/accordionpanel.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordioncontrol/accordioncontrol.d.ts","./node_modules/@mantine/core/lib/components/accordion/accordion.d.ts","./node_modules/@mantine/core/lib/components/accordion/index.d.ts","./node_modules/@mantine/core/lib/components/affix/affix.d.ts","./node_modules/@mantine/core/lib/components/affix/index.d.ts","./node_modules/@mantine/core/lib/components/alert/alert.d.ts","./node_modules/@mantine/core/lib/components/alert/index.d.ts","./node_modules/@mantine/core/lib/components/text/text.d.ts","./node_modules/@mantine/core/lib/components/text/index.d.ts","./node_modules/@mantine/core/lib/components/anchor/anchor.d.ts","./node_modules/@mantine/core/lib/components/anchor/index.d.ts","./node_modules/@mantine/core/lib/components/angleslider/angleslider.d.ts","./node_modules/@mantine/core/lib/components/angleslider/index.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.types.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellaside/appshellaside.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellfooter/appshellfooter.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellheader/appshellheader.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellmain/appshellmain.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellnavbar/appshellnavbar.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshellsection/appshellsection.d.ts","./node_modules/@mantine/core/lib/components/appshell/appshell.d.ts","./node_modules/@mantine/core/lib/components/appshell/index.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/aspectratio.d.ts","./node_modules/@mantine/core/lib/components/aspectratio/index.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxchevron/comboboxchevron.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxclearbutton/comboboxclearbutton.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdown/comboboxdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxdropdowntarget/comboboxdropdowntarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxempty/comboboxempty.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxeventstarget/comboboxeventstarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxfooter/comboboxfooter.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxgroup/comboboxgroup.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxheader/comboboxheader.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxhiddeninput/comboboxhiddeninput.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoption/comboboxoption.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxoptions/comboboxoptions.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxsearch/comboboxsearch.d.ts","./node_modules/@mantine/core/lib/components/combobox/comboboxtarget/comboboxtarget.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/default-options-filter.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/optionsdropdown.d.ts","./node_modules/@mantine/core/lib/components/combobox/combobox.types.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-parsed-combobox-data/get-parsed-combobox-data.d.ts","./node_modules/@mantine/core/lib/components/combobox/get-options-lockup/get-options-lockup.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox/use-virtualized-combobox.d.ts","./node_modules/@mantine/core/lib/components/combobox/use-combobox-target-props/use-combobox-target-props.d.ts","./node_modules/@mantine/core/lib/components/combobox/optionsdropdown/is-options-group.d.ts","./node_modules/@mantine/core/lib/components/combobox/index.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/autocomplete.d.ts","./node_modules/@mantine/core/lib/components/autocomplete/index.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatargroup/avatargroup.d.ts","./node_modules/@mantine/core/lib/components/avatar/avatar.d.ts","./node_modules/@mantine/core/lib/components/avatar/index.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/backgroundimage.d.ts","./node_modules/@mantine/core/lib/components/backgroundimage/index.d.ts","./node_modules/@mantine/core/lib/components/badge/badge.d.ts","./node_modules/@mantine/core/lib/components/badge/index.d.ts","./node_modules/@mantine/core/lib/components/blockquote/blockquote.d.ts","./node_modules/@mantine/core/lib/components/blockquote/index.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/breadcrumbs.d.ts","./node_modules/@mantine/core/lib/components/breadcrumbs/index.d.ts","./node_modules/@mantine/core/lib/components/burger/burger.d.ts","./node_modules/@mantine/core/lib/components/burger/index.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroup/buttongroup.d.ts","./node_modules/@mantine/core/lib/components/button/buttongroupsection/buttongroupsection.d.ts","./node_modules/@mantine/core/lib/components/button/button.d.ts","./node_modules/@mantine/core/lib/components/button/index.d.ts","./node_modules/@mantine/core/lib/components/card/cardsection/cardsection.d.ts","./node_modules/@mantine/core/lib/components/card/card.d.ts","./node_modules/@mantine/core/lib/components/card/index.d.ts","./node_modules/@mantine/core/lib/components/center/center.d.ts","./node_modules/@mantine/core/lib/components/center/index.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/inlineinput.d.ts","./node_modules/@mantine/core/lib/components/inlineinput/index.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup/checkboxgroup.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxindicator/checkboxindicator.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkbox.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkicon.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxcard/checkboxcard.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/checkboxgroup.context.d.ts","./node_modules/@mantine/core/lib/components/checkbox/index.d.ts","./node_modules/@mantine/core/lib/components/chip/chipgroup/chipgroup.d.ts","./node_modules/@mantine/core/lib/components/chip/chip.d.ts","./node_modules/@mantine/core/lib/components/chip/index.d.ts","./node_modules/@mantine/core/lib/components/code/code.d.ts","./node_modules/@mantine/core/lib/components/code/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.types.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorpicker.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/colorslider/colorslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/alphaslider/alphaslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/hueslider/hueslider.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/converters.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/parsers.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/converters/index.d.ts","./node_modules/@mantine/core/lib/components/colorpicker/index.d.ts","./node_modules/@mantine/core/lib/components/colorinput/colorinput.d.ts","./node_modules/@mantine/core/lib/components/colorinput/index.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/colorswatch.d.ts","./node_modules/@mantine/core/lib/components/colorswatch/index.d.ts","./node_modules/@mantine/core/lib/components/container/container.d.ts","./node_modules/@mantine/core/lib/components/container/index.d.ts","./node_modules/@mantine/core/lib/components/copybutton/copybutton.d.ts","./node_modules/@mantine/core/lib/components/copybutton/index.d.ts","./node_modules/@mantine/core/lib/components/dialog/dialog.d.ts","./node_modules/@mantine/core/lib/components/dialog/index.d.ts","./node_modules/@mantine/core/lib/components/divider/divider.d.ts","./node_modules/@mantine/core/lib/components/divider/index.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerbody.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerclosebutton.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawercontent.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerheader.d.ts","./node_modules/@mantine/core/lib/components/drawer/draweroverlay.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.context.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerroot.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawerstack.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawertitle.d.ts","./node_modules/@mantine/core/lib/components/drawer/drawer.d.ts","./node_modules/@mantine/core/lib/components/drawer/index.d.ts","./node_modules/@mantine/core/lib/components/fieldset/fieldset.d.ts","./node_modules/@mantine/core/lib/components/fieldset/index.d.ts","./node_modules/@mantine/core/lib/components/filebutton/filebutton.d.ts","./node_modules/@mantine/core/lib/components/filebutton/index.d.ts","./node_modules/@mantine/core/lib/components/fileinput/fileinput.d.ts","./node_modules/@mantine/core/lib/components/fileinput/index.d.ts","./node_modules/@mantine/core/lib/components/focustrap/focustrap.d.ts","./node_modules/@mantine/core/lib/components/focustrap/index.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.context.d.ts","./node_modules/@mantine/core/lib/components/grid/gridcol/gridcol.d.ts","./node_modules/@mantine/core/lib/components/grid/grid.d.ts","./node_modules/@mantine/core/lib/components/grid/index.d.ts","./node_modules/@mantine/core/lib/components/highlight/highlight.d.ts","./node_modules/@mantine/core/lib/components/highlight/index.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercarddropdown/hovercarddropdown.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercardtarget/hovercardtarget.d.ts","./node_modules/@mantine/core/lib/components/hovercard/hovercard.d.ts","./node_modules/@mantine/core/lib/components/hovercard/index.d.ts","./node_modules/@mantine/core/lib/components/image/image.d.ts","./node_modules/@mantine/core/lib/components/image/index.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.types.d.ts","./node_modules/@mantine/core/lib/components/indicator/indicator.d.ts","./node_modules/@mantine/core/lib/components/indicator/index.d.ts","./node_modules/@mantine/core/lib/components/textarea/textarea.d.ts","./node_modules/@mantine/core/lib/components/textarea/index.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/jsoninput.d.ts","./node_modules/@mantine/core/lib/components/jsoninput/index.d.ts","./node_modules/@mantine/core/lib/components/kbd/kbd.d.ts","./node_modules/@mantine/core/lib/components/kbd/index.d.ts","./node_modules/@mantine/core/lib/components/list/listitem/listitem.d.ts","./node_modules/@mantine/core/lib/components/list/list.d.ts","./node_modules/@mantine/core/lib/components/list/index.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/loadingoverlay.d.ts","./node_modules/@mantine/core/lib/components/loadingoverlay/index.d.ts","./node_modules/@mantine/core/lib/components/mark/mark.d.ts","./node_modules/@mantine/core/lib/components/mark/index.d.ts","./node_modules/@mantine/core/lib/components/menu/menuitem/menuitem.d.ts","./node_modules/@mantine/core/lib/components/menu/menulabel/menulabel.d.ts","./node_modules/@mantine/core/lib/components/menu/menudropdown/menudropdown.d.ts","./node_modules/@mantine/core/lib/components/menu/menutarget/menutarget.d.ts","./node_modules/@mantine/core/lib/components/menu/menudivider/menudivider.d.ts","./node_modules/@mantine/core/lib/components/menu/menu.d.ts","./node_modules/@mantine/core/lib/components/menu/index.d.ts","./node_modules/@mantine/core/lib/components/modal/modalbody.d.ts","./node_modules/@mantine/core/lib/components/modal/modalclosebutton.d.ts","./node_modules/@mantine/core/lib/components/modal/modalcontent.d.ts","./node_modules/@mantine/core/lib/components/modal/modalheader.d.ts","./node_modules/@mantine/core/lib/components/modal/modaloverlay.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.context.d.ts","./node_modules/@mantine/core/lib/components/modal/modalroot.d.ts","./node_modules/@mantine/core/lib/components/modal/modalstack.d.ts","./node_modules/@mantine/core/lib/components/modal/modaltitle.d.ts","./node_modules/@mantine/core/lib/components/modal/modal.d.ts","./node_modules/@mantine/core/lib/components/modal/use-modals-stack.d.ts","./node_modules/@mantine/core/lib/components/modal/index.d.ts","./node_modules/@mantine/core/lib/components/multiselect/multiselect.d.ts","./node_modules/@mantine/core/lib/components/multiselect/index.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/nativeselect.d.ts","./node_modules/@mantine/core/lib/components/nativeselect/index.d.ts","./node_modules/@mantine/core/lib/components/navlink/navlink.d.ts","./node_modules/@mantine/core/lib/components/navlink/index.d.ts","./node_modules/@mantine/core/lib/components/notification/notification.d.ts","./node_modules/@mantine/core/lib/components/notification/index.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/numberformatter.d.ts","./node_modules/@mantine/core/lib/components/numberformatter/index.d.ts","./node_modules/react-number-format/types/types.d.ts","./node_modules/react-number-format/types/number_format_base.d.ts","./node_modules/react-number-format/types/numeric_format.d.ts","./node_modules/react-number-format/types/pattern_format.d.ts","./node_modules/react-number-format/types/index.d.ts","./node_modules/@mantine/core/lib/components/numberinput/numberinput.d.ts","./node_modules/@mantine/core/lib/components/numberinput/index.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.icons.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationcontrol/paginationcontrol.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationdots/paginationdots.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationedges/paginationedges.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationitems/paginationitems.d.ts","./node_modules/@mantine/core/lib/components/pagination/paginationroot/paginationroot.d.ts","./node_modules/@mantine/core/lib/components/pagination/pagination.d.ts","./node_modules/@mantine/core/lib/components/pagination/index.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/passwordinput.d.ts","./node_modules/@mantine/core/lib/components/passwordinput/index.d.ts","./node_modules/@mantine/core/lib/components/pill/pillgroup/pillgroup.d.ts","./node_modules/@mantine/core/lib/components/pill/pill.d.ts","./node_modules/@mantine/core/lib/components/pill/index.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinputfield/pillsinputfield.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/pillsinput.d.ts","./node_modules/@mantine/core/lib/components/pillsinput/index.d.ts","./node_modules/@mantine/core/lib/components/pininput/pininput.d.ts","./node_modules/@mantine/core/lib/components/pininput/index.d.ts","./node_modules/@mantine/core/lib/components/progress/progresslabel/progresslabel.d.ts","./node_modules/@mantine/core/lib/components/progress/progressroot/progressroot.d.ts","./node_modules/@mantine/core/lib/components/progress/progresssection/progresssection.d.ts","./node_modules/@mantine/core/lib/components/progress/progress.d.ts","./node_modules/@mantine/core/lib/components/progress/index.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.d.ts","./node_modules/@mantine/core/lib/components/radio/radiogroup/radiogroup.d.ts","./node_modules/@mantine/core/lib/components/radio/radioicon.d.ts","./node_modules/@mantine/core/lib/components/radio/radioindicator/radioindicator.d.ts","./node_modules/@mantine/core/lib/components/radio/radio.d.ts","./node_modules/@mantine/core/lib/components/radio/radiocard/radiocard.context.d.ts","./node_modules/@mantine/core/lib/components/radio/index.d.ts","./node_modules/@mantine/core/lib/components/rating/rating.d.ts","./node_modules/@mantine/core/lib/components/rating/index.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/ringprogress.d.ts","./node_modules/@mantine/core/lib/components/ringprogress/index.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/segmentedcontrol.d.ts","./node_modules/@mantine/core/lib/components/segmentedcontrol/index.d.ts","./node_modules/@mantine/core/lib/components/select/select.d.ts","./node_modules/@mantine/core/lib/components/select/index.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/semicircleprogress.d.ts","./node_modules/@mantine/core/lib/components/semicircleprogress/index.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/simplegrid.d.ts","./node_modules/@mantine/core/lib/components/simplegrid/index.d.ts","./node_modules/@mantine/core/lib/components/skeleton/skeleton.d.ts","./node_modules/@mantine/core/lib/components/skeleton/index.d.ts","./node_modules/@mantine/core/lib/components/slider/slider.context.d.ts","./node_modules/@mantine/core/lib/components/slider/slider/slider.d.ts","./node_modules/@mantine/core/lib/components/slider/rangeslider/rangeslider.d.ts","./node_modules/@mantine/core/lib/components/slider/index.d.ts","./node_modules/@mantine/core/lib/components/space/space.d.ts","./node_modules/@mantine/core/lib/components/space/index.d.ts","./node_modules/@mantine/core/lib/components/spoiler/spoiler.d.ts","./node_modules/@mantine/core/lib/components/spoiler/index.d.ts","./node_modules/@mantine/core/lib/components/stack/stack.d.ts","./node_modules/@mantine/core/lib/components/stack/index.d.ts","./node_modules/@mantine/core/lib/components/stepper/steppercompleted/steppercompleted.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepperstep/stepperstep.d.ts","./node_modules/@mantine/core/lib/components/stepper/stepper.d.ts","./node_modules/@mantine/core/lib/components/stepper/index.d.ts","./node_modules/@mantine/core/lib/components/switch/switchgroup/switchgroup.d.ts","./node_modules/@mantine/core/lib/components/switch/switch.d.ts","./node_modules/@mantine/core/lib/components/switch/index.d.ts","./node_modules/@mantine/core/lib/components/table/table.components.d.ts","./node_modules/@mantine/core/lib/components/table/tabledatarenderer.d.ts","./node_modules/@mantine/core/lib/components/table/tablescrollcontainer.d.ts","./node_modules/@mantine/core/lib/components/table/table.d.ts","./node_modules/@mantine/core/lib/components/table/index.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/tableofcontents.d.ts","./node_modules/@mantine/core/lib/components/tableofcontents/index.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabslist/tabslist.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabspanel/tabspanel.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabstab/tabstab.d.ts","./node_modules/@mantine/core/lib/components/tabs/tabs.d.ts","./node_modules/@mantine/core/lib/components/tabs/index.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/tagsinput.d.ts","./node_modules/@mantine/core/lib/components/tagsinput/index.d.ts","./node_modules/@mantine/core/lib/components/textinput/textinput.d.ts","./node_modules/@mantine/core/lib/components/textinput/index.d.ts","./node_modules/@mantine/core/lib/components/themeicon/themeicon.d.ts","./node_modules/@mantine/core/lib/components/themeicon/index.d.ts","./node_modules/@mantine/core/lib/components/timeline/timelineitem/timelineitem.d.ts","./node_modules/@mantine/core/lib/components/timeline/timeline.d.ts","./node_modules/@mantine/core/lib/components/timeline/index.d.ts","./node_modules/@mantine/core/lib/components/title/title.d.ts","./node_modules/@mantine/core/lib/components/title/index.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.types.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipfloating/tooltipfloating.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltipgroup/tooltipgroup.d.ts","./node_modules/@mantine/core/lib/components/tooltip/tooltip.d.ts","./node_modules/@mantine/core/lib/components/tooltip/index.d.ts","./node_modules/@mantine/core/lib/components/tree/get-all-checked-nodes/get-all-checked-nodes.d.ts","./node_modules/@mantine/core/lib/components/tree/use-tree.d.ts","./node_modules/@mantine/core/lib/components/tree/tree.d.ts","./node_modules/@mantine/core/lib/components/tree/index.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/typographystylesprovider.d.ts","./node_modules/@mantine/core/lib/components/typographystylesprovider/index.d.ts","./node_modules/@mantine/core/lib/components/index.d.ts","./node_modules/@mantine/core/lib/index.d.mts","./src/lib/theme.ts","./src/context/jobs/filter-context.tsx","./src/lib/utils.ts","./src/types/api.ts","./src/app/error.tsx","./src/components/layout/logo.tsx","./src/components/layout/nav-bar.tsx","./src/app/layout.tsx","./src/app/loading.tsx","./src/app/page.tsx","./src/app/jobs/error.tsx","./src/context/jobs/filter-provider.tsx","./src/app/jobs/layout.tsx","./src/app/jobs/loading.tsx","./node_modules/@tabler/icons-react/dist/esm/tabler-icons-react.d.ts","./src/components/jobs/search/search-bar.tsx","./src/components/jobs/filters/dropdown-sort.tsx","./src/components/jobs/filters/filter-section.tsx","./src/components/jobs/details/job-card.tsx","./src/components/jobs/details/job-list.tsx","./node_modules/@types/trusted-types/lib/index.d.ts","./node_modules/@types/trusted-types/index.d.ts","./node_modules/dompurify/dist/purify.es.d.mts","./node_modules/isomorphic-dompurify/index.d.ts","./src/components/jobs/details/job-details.tsx","./src/app/jobs/page.tsx","./src/app/jobs/[id]/page.tsx","./src/app/jobs/[id]/@modal/default.tsx","./src/components/jobs/filters/dropdown-filter.tsx","./.next/types/cache-life.d.ts","./.next/types/app/page.ts","./.next/types/app/jobs/layout.ts","./.next/types/app/jobs/page.ts","./.next/types/app/jobs/[id]/page.ts","./node_modules/@types/estree/index.d.ts","./node_modules/@types/json-schema/index.d.ts","./node_modules/@types/json5/index.d.ts","./node_modules/@types/webidl-conversions/index.d.ts","./node_modules/@types/whatwg-url/index.d.ts"],"fileIdsList":[[95,137,320,1251],[95,137,320,1237],[95,137,320,1250],[95,137,320,1234],[95,137,411,412,413,414],[95,137,459,460],[95,137,459],[95,137,883],[95,137,884,885],[81,95,137,886],[81,95,137,887],[95,137],[95,137,303,857,932,933,934,935,936],[95,137,303],[95,137,857],[95,137,932,933,934,935,936,937],[81,95,137,711,713,857,896,897,898],[95,137,857,899],[95,137,897,898,899],[95,137,857,878],[95,137,939],[95,137,941],[81,95,137,711,713,857,944],[95,137,945],[95,137,947],[95,137,857,949,950,951,952,953,954,955],[81,95,137,711,713,857],[95,137,949,950,951,952,953,954,955,956],[95,137,958],[95,137,857,861,924,984],[95,137,985],[81,95,137,711,713,857,987],[95,137,987,988],[95,137,990],[95,137,992],[95,137,994],[95,137,996],[95,137,998],[81,95,137,711,713,857,896,1000,1001],[95,137,857,1002],[95,137,1000,1001,1002],[81,95,137,711,713,857,1004],[95,137,1004,1005],[95,137,1007],[95,137,857,1010,1011,1012,1013],[81,95,137,857],[95,137,857,924],[95,137,1011,1012,1013,1014,1015,1016,1017],[95,137,857,1019],[95,137,1019,1020],[81,95,137],[95,137,901,902],[95,137,1022],[95,137,858],[95,137,857,893,924,1032],[95,137,1033],[81,95,137,1026],[95,137,857,1024],[95,137,1024],[95,137,1029,1030],[95,137,1025,1027,1028,1031],[95,137,1035],[81,95,137,303,857,893,960,961,962,963,964,965,966,967,968,969,970,971,972,973,974],[95,137,975,977],[81,95,137,857,924],[95,137,857,893],[95,137,857,921],[95,137,978],[95,137,960,961,962,963,964,965,966,967,968,969,970,971,972,973,974,975,976,977,978,979,980,981,982,983],[95,137,303,860,976,978],[95,137,974],[95,137,1037],[95,137,1039],[95,137,857,867,882,940],[95,137,1041],[95,137,1043],[95,137,303,857,1051],[95,137,857,914,1045,1046,1047,1048,1049,1051,1052,1053],[95,137,857,914],[95,137,857,914,1050],[95,137,1045,1046,1047,1048,1049,1051,1052,1053,1054],[95,137,1056],[95,137,1058],[95,137,1060],[95,137,927,928],[81,95,137,869],[95,137,869],[95,137,868,869,870,871,872],[95,137,930],[95,137,1062],[95,137,303,857,1066],[95,137,857,1064,1065],[95,137,1065,1066],[95,137,904],[95,137,1068],[81,95,137,303,711,857,892,893,1070,1071],[95,137,303,893],[81,95,137,893],[95,137,1070,1071,1072],[95,137,1074],[95,137,859,861,863,865,867,873,875,878,882,893,896,900,903,905,914,924,926,929,931,938,940,942,944,946,948,957,959,984,986,989,991,993,995,997,999,1003,1006,1008,1018,1021,1023,1032,1034,1036,1038,1040,1042,1044,1055,1057,1059,1061,1063,1067,1069,1073,1075,1078,1080,1082,1084,1087,1089,1091,1098,1110,1112,1114,1116,1118,1120,1127,1135,1137,1140,1143,1145,1150,1157,1159,1161,1163,1165,1167,1169,1171,1175,1177,1179,1181,1185,1188,1193,1195,1200,1202,1204,1206,1209,1211,1216,1220,1222],[95,137,1077],[95,137,857,1076],[95,137,1009],[95,137,915,916,917,918,919,920,921,922,923],[81,95,137,711,713,857,915,916,917,918,919,920],[95,137,857,903],[95,137,303,857,920],[95,137,857,916,917,918],[81,95,137,857,921],[95,137,925],[81,95,137,711,713,857,924],[95,137,1081],[95,137,857,924,1080],[95,137,1083],[95,137,1085,1086],[95,137,857,1085],[95,137,894,895],[95,137,857,894],[95,137,1088],[95,137,857,875,882,896],[95,137,1090],[95,137,1092,1093,1094,1095,1096,1097],[81,95,137,303,711,713,857,893,1092,1093,1094,1095,1096],[95,137,1099,1100,1101,1102,1103,1105,1106,1107,1108,1109],[95,137,303,857,1105],[95,137,857,914,1099,1100,1101,1102,1103,1105,1106,1107],[95,137,857,914,1104],[95,137,906,907,908,909,910,911,912,913],[81,95,137,499,857,878,882],[81,95,137,857,903],[81,95,137,857,882],[81,95,137,857,875,882],[95,137,1111],[95,137,1113],[95,137,857,924,984],[95,137,1115],[95,137,1117],[95,137,1119],[95,137,303,857],[95,137,1126],[81,95,137,857,924,1125],[95,137,874],[95,137,1129,1130,1131,1132,1133,1134],[95,137,857,1128,1129,1130,1131,1132,1133],[95,137,857,1128],[81,95,137,857,1128],[95,137,303,1128],[95,137,866],[95,137,1136],[95,137,1138,1139],[95,137,857,1138],[95,137,1141,1142],[95,137,857,924,1141],[95,137,1144],[95,137,889,890,891,892],[95,137,303,711,857,873,875,878,882,889,890,891],[95,137,888],[95,137,857,892],[95,137,876,877],[95,137,303,876],[95,137,1146,1147,1148,1149],[95,137,857,1146,1147,1148],[95,137,1151,1152,1153,1154,1155,1156],[95,137,857,1010,1151,1152,1153,1154],[95,137,857,1153],[95,137,1158],[95,137,1160],[95,137,860],[95,137,1162],[95,137,1164],[95,137,1166],[95,137,1168],[95,137,1170],[95,137,1172,1173,1174],[95,137,857,882,1172],[95,137,1176],[95,137,1178],[95,137,1180],[95,137,1182,1183,1184],[95,137,857,1182,1183],[95,137,857,1184],[95,137,1186,1187],[95,137,857,1010,1186],[95,137,1189,1191,1192],[95,137,857,1192],[95,137,857,1189,1190,1191],[95,137,303,1192],[95,137,1194],[95,137,818,857,863],[95,137,1196,1197,1198,1199],[95,137,857,1196,1197,1198],[95,137,857,863],[95,137,1201],[95,137,943],[95,137,1079],[95,137,1203],[95,137,1205],[95,137,1207,1208],[95,137,857,1207],[95,137,1210],[95,137,1212,1213,1214,1215],[95,137,857,873,882,1212,1213,1214],[95,137,857,873,878,888,1215],[95,137,857,1212],[95,137,677,880],[95,137,879,880,881],[95,137,303,879],[95,137,1219],[95,137,1217,1218,1219],[95,137,857,1218],[95,137,1217,1219],[95,137,1221],[95,137,862],[95,137,864],[81,95,137,679,697,715,843],[95,137,843],[95,137,679,843],[95,137,679,697,698,699,716],[95,137,680],[95,137,680,681,691,696],[95,137,680,691,695,843],[95,137,694,696],[95,137,682,683,684,685,686,687,688,689],[95,137,680,690],[81,95,137,303],[95,137,855],[95,137,711,713],[95,137,710,843],[95,137,711,712,713,714],[81,95,137,711,712],[95,137,694,710,715,717,843,854,856],[95,137,692,693],[95,137,303,692],[95,137,731],[95,137,678,718,719,720,721,722,723,724,725,726,727,728,729],[95,137,717,731],[95,137,732,733,734],[95,137,732],[95,137,303,731],[95,137,821],[95,137,826],[95,137,717],[95,137,827],[95,137,730,731,735,820,822,823,825,828,829,831,834,835,837,838,839,840,841,842],[81,95,137,731,828],[95,137,731,828],[95,137,830,831,832,833],[95,137,303,731,735,829,834],[95,137,836],[81,95,137,303,731],[95,137,824],[95,137,677,730],[95,137,736,737,819],[95,137,818],[95,137,731,735],[95,137,731,818],[95,137,715,717,843],[95,137,700,701,703,706,707,708,709],[95,137,700,715,717,843],[95,137,701,715],[95,137,701,843],[95,137,702,843],[81,95,137,701,704,717,843],[95,137,705,843],[81,95,137,717,843],[81,95,137,700,701,715,717],[95,137,844],[95,137,500,501,502,505,506,507,508,509,510,511,512,513,514,515,516,517,518,844,845,846,847,848,849,850,851,852,853],[95,137,503,504],[95,137,499,857,1223],[95,137,744,745,746,747,748,749,750,751,752,753,754,755,756,757,758,759,760,761,762,763,764,766,767,768,769,770,771,772,773,774,775,776,777,778,779,780,781,782,783,784,786,787,788,789,790,791,792,793,794,795,796,797,798,799,800,801,802,803,804,805,806,807,808,809,810,811,812,813,814,815,816,817],[95,137,749],[95,137,785],[95,137,765],[95,137,738,739,740,741,742,743],[95,134,137],[95,136,137],[137],[95,137,142,171],[95,137,138,143,149,150,157,168,179],[95,137,138,139,149,157],[90,91,92,95,137],[95,137,140,180],[95,137,141,142,150,158],[95,137,142,168,176],[95,137,143,145,149,157],[95,136,137,144],[95,137,145,146],[95,137,149],[95,137,147,149],[95,136,137,149],[95,137,149,150,151,168,179],[95,137,149,150,151,164,168,171],[95,132,137,184],[95,137,145,149,152,157,168,179],[95,137,149,150,152,153,157,168,176,179],[95,137,152,154,168,176,179],[93,94,95,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,149,155],[95,137,156,179,184],[95,137,145,149,157,168],[95,137,158],[95,137,159],[95,136,137,160],[95,134,135,136,137,138,139,140,141,142,143,144,145,146,147,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185],[95,137,162],[95,137,163],[95,137,149,164,165],[95,137,164,166,180,182],[95,137,149,168,169,170,171],[95,137,168,170],[95,137,168,169],[95,137,171],[95,137,172],[95,134,137,168],[95,137,149,174,175],[95,137,174,175],[95,137,142,157,168,176],[95,137,177],[95,137,157,178],[95,137,152,163,179],[95,137,142,180],[95,137,168,181],[95,137,156,182],[95,137,183],[95,137,142,149,151,160,168,179,182,184],[95,137,168,185],[81,95,137,189,191],[81,85,95,137,187,188,189,190,405,452],[81,85,95,137,188,191,405,452],[81,85,95,137,187,191,405,452],[79,80,95,137],[95,137,1245],[95,137,1246],[95,137,1247],[95,137,145,149,157,168,176,488],[87,95,137],[95,137,409],[95,137,416],[95,137,195,208,209,210,212,369],[95,137,195,199,201,202,203,204,358,369,371],[95,137,369],[95,137,209,225,302,349,365],[95,137,195],[95,137,389],[95,137,369,371,388],[95,137,288,302,330,457],[95,137,295,312,349,364],[95,137,250],[95,137,353],[95,137,352,353,354],[95,137,352],[89,95,137,152,192,195,202,205,206,207,209,213,281,286,332,340,350,360,369,405],[95,137,195,211,239,284,369,385,386,457],[95,137,211,457],[95,137,284,285,286,369,457],[95,137,457],[95,137,195,211,212,457],[95,137,205,351,357],[95,137,163,303,365],[95,137,303,365],[81,95,137,282,303,304],[95,137,230,248,365,441],[95,137,346,436,437,438,439,440],[95,137,345],[95,137,345,346],[95,137,203,227,228,282],[95,137,229,230,282],[95,137,282],[81,95,137,196,430],[81,95,137,179],[81,95,137,211,237],[81,95,137,211],[95,137,235,240],[81,95,137,236,408],[81,85,95,137,152,186,187,188,191,405,450,451],[95,137,150,152,199,225,253,271,282,355,369,370,457],[95,137,340,356],[95,137,405],[95,137,194],[95,137,163,288,300,321,323,364,365],[95,137,163,288,300,320,321,322,364,365],[95,137,314,315,316,317,318,319],[95,137,316],[95,137,320],[81,95,137,236,303,408],[81,95,137,303,406,408],[81,95,137,303,408],[95,137,271,361],[95,137,361],[95,137,152,370,408],[95,137,308],[95,136,137,307],[95,137,221,222,224,254,282,295,296,297,299,332,364,367,370],[95,137,298],[95,137,222,230,282],[95,137,295,364],[95,137,295,304,305,306,308,309,310,311,312,313,324,325,326,327,328,329,364,365,457],[95,137,293],[95,137,152,163,199,220,222,224,225,226,230,258,271,280,281,332,360,369,370,371,405,457],[95,137,364],[95,136,137,209,224,281,297,312,360,362,363,370],[95,137,295],[95,136,137,220,254,274,289,290,291,292,293,294],[95,137,152,274,275,289,370,371],[95,137,209,271,281,282,297,360,364,370],[95,137,152,369,371],[95,137,152,168,367,370,371],[95,137,152,163,179,192,199,211,221,222,224,225,226,231,253,254,255,257,258,261,262,264,267,268,269,270,282,359,360,365,367,369,370,371],[95,137,152,168],[95,137,195,196,197,199,206,367,368,405,408,457],[95,137,152,168,179,215,387,389,390,391,457],[95,137,163,179,192,215,225,254,255,262,271,279,282,360,365,367,372,373,379,385,401,402],[95,137,205,206,281,340,351,360,369],[95,137,152,179,196,254,367,369,377],[95,137,287],[95,137,152,398,399,400],[95,137,367,369],[95,137,199,224,254,359,408],[95,137,152,163,262,271,367,373,379,381,385,401,404],[95,137,152,205,340,385,394],[95,137,195,231,359,369,396],[95,137,152,211,231,369,380,381,392,393,395,397],[89,95,137,222,223,224,405,408],[95,137,152,163,179,199,205,213,221,225,226,254,255,257,258,270,271,279,282,340,359,360,365,366,367,372,373,374,376,378,408],[95,137,152,168,205,367,379,398,403],[95,137,335,336,337,338,339],[95,137,261,263],[95,137,265],[95,137,263],[95,137,265,266],[95,137,152,199,220,370],[81,95,137,152,163,194,196,199,221,222,224,225,226,252,367,371,405,408],[95,137,152,163,179,198,203,254,366,370],[95,137,289],[95,137,290],[95,137,291],[95,137,214,218],[95,137,152,199,214,221],[95,137,217,218],[95,137,219],[95,137,214,215],[95,137,214,232],[95,137,214],[95,137,260,261,366],[95,137,259],[95,137,215,365,366],[95,137,256,366],[95,137,215,365],[95,137,332],[95,137,216,221,223,254,282,288,297,300,301,331,367,370],[95,137,230,241,244,245,246,247,248],[95,137,348],[95,137,209,223,224,275,282,295,308,312,341,342,343,344,346,347,350,359,364,369],[95,137,230],[95,137,252],[95,137,152,221,223,233,249,251,253,367,405,408],[95,137,230,241,242,243,244,245,246,247,248,406],[95,137,215],[95,137,275,276,279,360],[95,137,152,261,369],[95,137,152],[95,137,274,295],[95,137,273],[95,137,270,275],[95,137,272,274,369],[95,137,152,198,275,276,277,278,369,370],[81,95,137,227,229,282],[95,137,283],[81,95,137,196],[81,95,137,365],[81,89,95,137,224,226,405,408],[95,137,196,430,431],[81,95,137,240],[81,95,137,163,179,194,234,236,238,239,408],[95,137,211,365,370],[95,137,365,375],[81,95,137,150,152,163,194,240,284,405,406,407],[81,95,137,187,188,191,405,452],[81,82,83,84,85,95,137],[95,137,142],[95,137,382,383,384],[95,137,382],[81,85,95,137,152,154,163,186,187,188,189,191,192,194,258,320,371,404,408,452],[95,137,418],[95,137,420],[95,137,422],[95,137,424],[95,137,426,427,428],[95,137,432],[86,88,95,137,410,415,417,419,421,423,425,429,433,435,443,444,446,455,456,457,458],[95,137,434],[95,137,442],[95,137,236],[95,137,445],[95,136,137,275,276,277,279,311,365,447,448,449,452,453,454],[95,137,186],[95,137,478],[95,137,476,478],[95,137,467,475,476,477,479],[95,137,465],[95,137,468,473,478,481],[95,137,464,481],[95,137,468,469,472,473,474,481],[95,137,468,469,470,472,473,481],[95,137,465,466,467,468,469,473,474,475,477,478,479,481],[95,137,481],[95,137,463,465,466,467,468,469,470,472,473,474,475,476,477,478,479,480],[95,137,463,481],[95,137,468,470,471,473,474,481],[95,137,472,481],[95,137,473,474,478,481],[95,137,466,476],[95,137,1121,1122,1123,1124],[81,95,137,1121],[95,137,1121],[95,137,497],[95,137,498],[95,137,168,186],[95,137,483,484],[95,137,482,485],[95,137,519,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541,544,545,546,547,548,549,550,551,552,553,554,562,563,564,565,567,568,570,571,572,573,574,575,576,577,578,579,580,581,582,583,584,585,586,587,588,589,590,591,592,593,594,595,596,597,598,599,600,601,602,603,604,605,606,607,608,609,610,611,612,613,614,615,616,617,618,619,620,621,622,623,624,625,626,627,628,629,630,631,632,633,634,635,636,637,638,639,640,641,642,643,644,645,646,647,648,649,650,651,652,653,654,655,656,657,658,659,660,661,662,663,664,665,666,667,668,669,670,671,672,673,674,675,676],[95,137,531],[95,137,531,547,550,552,553,561,579,583,612],[95,137,536,553,561,580],[95,137,561],[95,137,621],[95,137,651],[95,137,536,561,652],[95,137,652],[95,137,532,606],[95,137,541],[95,137,527,531,535,561,566,607],[95,137,606],[95,137,536,561,655],[95,137,655],[95,137,524],[95,137,538],[95,137,619],[95,137,519,524,531,561,588],[95,137,561,581,584,631,669],[95,137,552],[95,137,531,547,550,551,561],[95,137,599],[95,137,636],[95,137,529],[95,137,638],[95,137,544],[95,137,527],[95,137,540],[95,137,587],[95,137,588],[95,137,579,642],[95,137,561,580],[95,137,536,541],[95,137,542,543,555,556,557,558,559,560],[95,137,544,548,556],[95,137,536,540,556],[95,137,524,536,538,556,557,559],[95,137,543,547,549,555],[95,137,536,547,552,554],[95,137,519,540],[95,137,547],[95,137,545,547,561],[95,137,519,540,541,547,561],[95,137,536,541,644],[95,137,521],[95,137,520,521,527,536,540,544,547,561,588],[95,137,659],[95,137,657],[95,137,523],[95,137,553],[95,137,563,629],[95,137,519],[95,137,535,536,561,563,564,565,566,567,568,569,570],[95,137,538,563,564],[95,137,531,580],[95,137,530,533],[95,137,545,546],[95,137,531,536,540,561,570,581,583,584,585],[95,137,565],[95,137,521,584],[95,137,561,565,589],[95,137,652,661],[95,137,527,536,544,552,561,580],[95,137,523,536,538,540,561,581],[95,137,532],[95,137,561,573],[95,137,655,664,667],[95,137,524,532,538,561],[95,137,536,561,588],[95,137,536,544,561,570,578,581,600,601],[95,137,524,532,536,538,561,599],[95,137,536,540,561],[95,137,536,538,540,561],[95,137,561,566],[95,137,528,561],[95,137,529,538],[95,137,547,548],[95,137,561,611,613],[95,137,520,626],[95,137,531,547,550,551,554,561,579],[95,137,531,547,550,551,561,580],[95,137,523,540],[95,137,532,538],[95,104,108,137,179],[95,104,137,168,179],[95,99,137],[95,101,104,137,176,179],[95,137,157,176],[95,99,137,186],[95,101,104,137,157,179],[95,96,97,100,103,137,149,168,179],[95,104,111,137],[95,96,102,137],[95,104,125,126,137],[95,100,104,137,171,179,186],[95,125,137,186],[95,98,99,137,186],[95,104,137],[95,98,99,100,101,102,103,104,105,106,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,126,127,128,129,130,131,137],[95,104,119,137],[95,104,111,112,137],[95,102,104,112,113,137],[95,103,137],[95,96,99,104,137],[95,104,108,112,113,137],[95,108,137],[95,102,104,107,137,179],[95,96,101,104,111,137],[95,137,168],[95,99,104,125,137,184,186],[95,137,455,489],[95,137,491,1224,1249],[81,95,137,1236],[95,137,491,492,493,1224,1240,1242,1244,1249],[81,95,137,425,1224,1225,1231],[95,137,1224],[95,137,491,1224,1239,1248],[95,137,1243],[95,137,492,1224,1226],[95,137,1224,1226],[95,137,1224,1226,1241],[95,137,1224,1239],[95,137,435,1224,1230],[81,95,137,492],[81,95,137,443,1226,1227],[95,137,491,492],[95,137,491,494,495],[95,137,1226],[95,137,491],[95,137,486]],"fileInfos":[{"version":"e41c290ef7dd7dab3493e6cbe5909e0148edf4a8dad0271be08edec368a0f7b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"feecb1be483ed332fad555aff858affd90a48ab19ba7272ee084704eb7167569","impliedFormat":1},{"version":"ee7bad0c15b58988daa84371e0b89d313b762ab83cb5b31b8a2d1162e8eb41c2","impliedFormat":1},{"version":"27bdc30a0e32783366a5abeda841bc22757c1797de8681bbe81fbc735eeb1c10","impliedFormat":1},{"version":"8fd575e12870e9944c7e1d62e1f5a73fcf23dd8d3a321f2a2c74c20d022283fe","impliedFormat":1},{"version":"e12a46ce14b817d4c9e6b2b478956452330bf00c9801b79de46f7a1815b5bd40","impliedFormat":1},{"version":"4fd3f3422b2d2a3dfd5cdd0f387b3a8ec45f006c6ea896a4cb41264c2100bb2c","affectsGlobalScope":true,"impliedFormat":1},{"version":"69e65d976bf166ce4a9e6f6c18f94d2424bf116e90837ace179610dbccad9b42","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"62bb211266ee48b2d0edf0d8d1b191f0c24fc379a82bd4c1692a082c540bc6b1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"936e80ad36a2ee83fc3caf008e7c4c5afe45b3cf3d5c24408f039c1d47bdc1df","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"fef8cfad2e2dc5f5b3d97a6f4f2e92848eb1b88e897bb7318cef0e2820bceaab","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"f1e2a172204962276504466a6393426d2ca9c54894b1ad0a6c9dad867a65f876","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"af3dd424cf267428f30ccfc376f47a2c0114546b55c44d8c0f1d57d841e28d74","affectsGlobalScope":true,"impliedFormat":1},{"version":"995c005ab91a498455ea8dfb63aa9f83fa2ea793c3d8aa344be4a1678d06d399","affectsGlobalScope":true,"impliedFormat":1},{"version":"959d36cddf5e7d572a65045b876f2956c973a586da58e5d26cde519184fd9b8a","affectsGlobalScope":true,"impliedFormat":1},{"version":"965f36eae237dd74e6cca203a43e9ca801ce38824ead814728a2807b1910117d","affectsGlobalScope":true,"impliedFormat":1},{"version":"3925a6c820dcb1a06506c90b1577db1fdbf7705d65b62b99dce4be75c637e26b","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a3d63ef2b853447ec4f749d3f368ce642264246e02911fcb1590d8c161b8005","affectsGlobalScope":true,"impliedFormat":1},{"version":"b5ce7a470bc3628408429040c4e3a53a27755022a32fd05e2cb694e7015386c7","affectsGlobalScope":true,"impliedFormat":1},{"version":"8444af78980e3b20b49324f4a16ba35024fef3ee069a0eb67616ea6ca821c47a","affectsGlobalScope":true,"impliedFormat":1},{"version":"3287d9d085fbd618c3971944b65b4be57859f5415f495b33a6adc994edd2f004","affectsGlobalScope":true,"impliedFormat":1},{"version":"b4b67b1a91182421f5df999988c690f14d813b9850b40acd06ed44691f6727ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"bab26767638ab3557de12c900f0b91f710c7dc40ee9793d5a27d32c04f0bf646","affectsGlobalScope":true,"impliedFormat":1},{"version":"436aaf437562f276ec2ddbee2f2cdedac7664c1e4c1d2c36839ddd582eeb3d0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e3c06ea092138bf9fa5e874a1fdbc9d54805d074bee1de31b99a11e2fec239d","affectsGlobalScope":true,"impliedFormat":1},{"version":"87dc0f382502f5bbce5129bdc0aea21e19a3abbc19259e0b43ae038a9fc4e326","affectsGlobalScope":true,"impliedFormat":1},{"version":"b1cb28af0c891c8c96b2d6b7be76bd394fddcfdb4709a20ba05a7c1605eea0f9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2fef54945a13095fdb9b84f705f2b5994597640c46afeb2ce78352fab4cb3279","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac77cb3e8c6d3565793eb90a8373ee8033146315a3dbead3bde8db5eaf5e5ec6","affectsGlobalScope":true,"impliedFormat":1},{"version":"56e4ed5aab5f5920980066a9409bfaf53e6d21d3f8d020c17e4de584d29600ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ece9f17b3866cc077099c73f4983bddbcb1dc7ddb943227f1ec070f529dedd1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a6282c8827e4b9a95f4bf4f5c205673ada31b982f50572d27103df8ceb8013c","affectsGlobalScope":true,"impliedFormat":1},{"version":"1c9319a09485199c1f7b0498f2988d6d2249793ef67edda49d1e584746be9032","affectsGlobalScope":true,"impliedFormat":1},{"version":"e3a2a0cee0f03ffdde24d89660eba2685bfbdeae955a6c67e8c4c9fd28928eeb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811c71eee4aa0ac5f7adf713323a5c41b0cf6c4e17367a34fbce379e12bbf0a4","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"d4b1d2c51d058fc21ec2629fff7a76249dec2e36e12960ea056e3ef89174080f","affectsGlobalScope":true,"impliedFormat":1},{"version":"61d6a2092f48af66dbfb220e31eea8b10bc02b6932d6e529005fd2d7b3281290","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"36a2e4c9a67439aca5f91bb304611d5ae6e20d420503e96c230cf8fcdc948d94","affectsGlobalScope":true,"impliedFormat":1},{"version":"8a8eb4ebffd85e589a1cc7c178e291626c359543403d58c9cd22b81fab5b1fb9","impliedFormat":1},{"version":"da172a28c35d5f298bf5f0361725cc80f45e89e803a353c56e1aa347e10f572d","impliedFormat":1},{"version":"acd8fd5090ac73902278889c38336ff3f48af6ba03aa665eb34a75e7ba1dccc4","impliedFormat":1},{"version":"d6258883868fb2680d2ca96bc8b1352cab69874581493e6d52680c5ffecdb6cc","impliedFormat":1},{"version":"1b61d259de5350f8b1e5db06290d31eaebebc6baafd5f79d314b5af9256d7153","impliedFormat":1},{"version":"f258e3960f324a956fc76a3d3d9e964fff2244ff5859dcc6ce5951e5413ca826","impliedFormat":1},{"version":"643f7232d07bf75e15bd8f658f664d6183a0efaca5eb84b48201c7671a266979","impliedFormat":1},{"version":"0f6666b58e9276ac3a38fdc80993d19208442d6027ab885580d93aec76b4ef00","impliedFormat":1},{"version":"05fd364b8ef02fb1e174fbac8b825bdb1e5a36a016997c8e421f5fab0a6da0a0","impliedFormat":1},{"version":"631eff75b0e35d1b1b31081d55209abc43e16b49426546ab5a9b40bdd40b1f60","impliedFormat":1},{"version":"70521b6ab0dcba37539e5303104f29b721bfb2940b2776da4cc818c07e1fefc1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ab41ef1f2cdafb8df48be20cd969d875602483859dc194e9c97c8a576892c052","affectsGlobalScope":true,"impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"21d819c173c0cf7cc3ce57c3276e77fd9a8a01d35a06ad87158781515c9a438a","impliedFormat":1},{"version":"a79e62f1e20467e11a904399b8b18b18c0c6eea6b50c1168bf215356d5bebfaf","affectsGlobalScope":true,"impliedFormat":1},{"version":"0fd06258805d26c72f5997e07a23155d322d5f05387adb3744a791fe6a0b042d","affectsGlobalScope":true,"impliedFormat":1},{"version":"5929864ce17fba74232584d90cb721a89b7ad277220627cc97054ba15a98ea8f","impliedFormat":1},{"version":"24bd580b5743dc56402c440dc7f9a4f5d592ad7a419f25414d37a7bfe11e342b","impliedFormat":1},{"version":"25c8056edf4314820382a5fdb4bb7816999acdcb929c8f75e3f39473b87e85bc","impliedFormat":1},{"version":"c464d66b20788266e5353b48dc4aa6bc0dc4a707276df1e7152ab0c9ae21fad8","impliedFormat":1},{"version":"78d0d27c130d35c60b5e5566c9f1e5be77caf39804636bc1a40133919a949f21","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"1d6e127068ea8e104a912e42fc0a110e2aa5a66a356a917a163e8cf9a65e4a75","impliedFormat":1},{"version":"5ded6427296cdf3b9542de4471d2aa8d3983671d4cac0f4bf9c637208d1ced43","impliedFormat":1},{"version":"6bdc71028db658243775263e93a7db2fd2abfce3ca569c3cca5aee6ed5eb186d","impliedFormat":1},{"version":"cadc8aced301244057c4e7e73fbcae534b0f5b12a37b150d80e5a45aa4bebcbd","impliedFormat":1},{"version":"385aab901643aa54e1c36f5ef3107913b10d1b5bb8cbcd933d4263b80a0d7f20","impliedFormat":1},{"version":"9670d44354bab9d9982eca21945686b5c24a3f893db73c0dae0fd74217a4c219","impliedFormat":1},{"version":"0b8a9268adaf4da35e7fa830c8981cfa22adbbe5b3f6f5ab91f6658899e657a7","impliedFormat":1},{"version":"11396ed8a44c02ab9798b7dca436009f866e8dae3c9c25e8c1fbc396880bf1bb","impliedFormat":1},{"version":"ba7bc87d01492633cb5a0e5da8a4a42a1c86270e7b3d2dea5d156828a84e4882","impliedFormat":1},{"version":"4893a895ea92c85345017a04ed427cbd6a1710453338df26881a6019432febdd","impliedFormat":1},{"version":"c21dc52e277bcfc75fac0436ccb75c204f9e1b3fa5e12729670910639f27343e","impliedFormat":1},{"version":"13f6f39e12b1518c6650bbb220c8985999020fe0f21d818e28f512b7771d00f9","impliedFormat":1},{"version":"9b5369969f6e7175740bf51223112ff209f94ba43ecd3bb09eefff9fd675624a","impliedFormat":1},{"version":"4fe9e626e7164748e8769bbf74b538e09607f07ed17c2f20af8d680ee49fc1da","impliedFormat":1},{"version":"24515859bc0b836719105bb6cc3d68255042a9f02a6022b3187948b204946bd2","impliedFormat":1},{"version":"ea0148f897b45a76544ae179784c95af1bd6721b8610af9ffa467a518a086a43","impliedFormat":1},{"version":"24c6a117721e606c9984335f71711877293a9651e44f59f3d21c1ea0856f9cc9","impliedFormat":1},{"version":"dd3273ead9fbde62a72949c97dbec2247ea08e0c6952e701a483d74ef92d6a17","impliedFormat":1},{"version":"405822be75ad3e4d162e07439bac80c6bcc6dbae1929e179cf467ec0b9ee4e2e","impliedFormat":1},{"version":"0db18c6e78ea846316c012478888f33c11ffadab9efd1cc8bcc12daded7a60b6","impliedFormat":1},{"version":"4d2b0eb911816f66abe4970898f97a2cfc902bcd743cbfa5017fad79f7ef90d8","impliedFormat":1},{"version":"bd0532fd6556073727d28da0edfd1736417a3f9f394877b6d5ef6ad88fba1d1a","impliedFormat":1},{"version":"89167d696a849fce5ca508032aabfe901c0868f833a8625d5a9c6e861ef935d2","impliedFormat":1},{"version":"e53a3c2a9f624d90f24bf4588aacd223e7bec1b9d0d479b68d2f4a9e6011147f","impliedFormat":1},{"version":"24b8685c62562f5d98615c5a0c1d05f297cf5065f15246edfe99e81ec4c0e011","impliedFormat":1},{"version":"93507c745e8f29090efb99399c3f77bec07db17acd75634249dc92f961573387","impliedFormat":1},{"version":"339dc5265ee5ed92e536a93a04c4ebbc2128f45eeec6ed29f379e0085283542c","impliedFormat":1},{"version":"4732aec92b20fb28c5fe9ad99521fb59974289ed1e45aecb282616202184064f","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"bf67d53d168abc1298888693338cb82854bdb2e69ef83f8a0092093c2d562107","impliedFormat":1},{"version":"ca6d304b929748ea15c33f28c1f159df18a94470b424ab78c52d68d40a41e1e9","affectsGlobalScope":true,"impliedFormat":1},{"version":"a72ffc815104fb5c075106ebca459b2d55d07862a773768fce89efc621b3964b","impliedFormat":1},{"version":"7394959e5a741b185456e1ef5d64599c36c60a323207450991e7a42e08911419","impliedFormat":1},{"version":"3d77c73be94570813f8cadd1f05ebc3dc5e2e4fdefe4d340ca20cd018724ee36","impliedFormat":1},{"version":"d674383111e06b6741c4ad2db962131b5b0fa4d0294b998566c635e86195a453","affectsGlobalScope":true,"impliedFormat":1},{"version":"f3e58c4c18a031cbb17abec7a4ad0bd5ae9fc70c1f4ba1e7fb921ad87c504aca","impliedFormat":1},{"version":"a3e8bafb2af8e850c644f4be7f5156cf7d23b7bfdc3b786bd4d10ed40329649c","impliedFormat":1},{"version":"35ec8b6760fd7138bbf5809b84551e31028fb2ba7b6dc91d95d098bf212ca8b4","affectsGlobalScope":true,"impliedFormat":1},{"version":"a40826e8476694e90da94aa008283a7de50d1dafd37beada623863f1901cb7fb","impliedFormat":1},{"version":"f77d9188e41291acf14f476e931972460a303e1952538f9546e7b370cb8d0d20","affectsGlobalScope":true,"impliedFormat":1},{"version":"b0c0d1d13be149f790a75b381b413490f98558649428bb916fd2d71a3f47a134","impliedFormat":1},{"version":"3c884d9d9ec454bdf0d5a0b8465bf8297d2caa4d853851d92cc417ac6f30b969","impliedFormat":1},{"version":"5a369483ac4cfbdf0331c248deeb36140e6907db5e1daed241546b4a2055f82c","impliedFormat":1},{"version":"e8f5b5cc36615c17d330eaf8eebbc0d6bdd942c25991f96ef122f246f4ff722f","impliedFormat":1},{"version":"f0bd7e6d931657b59605c44112eaf8b980ba7f957a5051ed21cb93d978cf2f45","impliedFormat":1},{"version":"ee1ee365d88c4c6c0c0a5a5701d66ebc27ccd0bcfcfaa482c6e2e7fe7b98edf7","affectsGlobalScope":true,"impliedFormat":1},{"version":"0ada07543808f3b967624645a8e1ccd446f8b01ade47842acf1328aec899fed0","affectsGlobalScope":true,"impliedFormat":1},{"version":"c4a806152acbef81593f96cae6f2b04784d776457d97adbe2694478b243fcf03","impliedFormat":1},{"version":"ad23fd126ff06e72728dd7bfc84326a8ca8cec2b9d2dac0193d42a777df0e7d8","impliedFormat":1},{"version":"c60db41f7bee80fb80c0b12819f5e465c8c8b465578da43e36d04f4a4646f57d","impliedFormat":1},{"version":"93bd413918fa921c8729cef45302b24d8b6c7855d72d5bf82d3972595ae8dcbf","impliedFormat":1},{"version":"4ff41188773cbf465807dd2f7059c7494cbee5115608efc297383832a1150c43","impliedFormat":1},{"version":"dccdf1677e531e33f8ac961a68bc537418c9a414797c1ea7e91307501cdc3f5e","impliedFormat":1},{"version":"1f4fc6905c4c3ae701838f89484f477b8d9b3ef39270e016b5488600d247d9a5","affectsGlobalScope":true,"impliedFormat":1},{"version":"d206b4baf4ddcc15d9d69a9a2f4999a72a2c6adeaa8af20fa7a9960816287555","impliedFormat":1},{"version":"93f437e1398a4f06a984f441f7fa7a9f0535c04399619b5c22e0b87bdee182cb","impliedFormat":1},{"version":"afbe24ab0d74694372baa632ecb28bb375be53f3be53f9b07ecd7fc994907de5","impliedFormat":1},{"version":"70731d10d5311bd4cf710ef7f6539b62660f4b0bfdbb3f9fbe1d25fe6366a7fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"6b19db3600a17af69d4f33d08cc7076a7d19fb65bb36e442cac58929ec7c9482","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e043a1bc8fbf2a255bccf9bf27e0f1caf916c3b0518ea34aa72357c0afd42ec","impliedFormat":1},{"version":"137c2894e8f3e9672d401cc0a305dc7b1db7c69511cf6d3970fb53302f9eae09","impliedFormat":1},{"version":"3bc2f1e2c95c04048212c569ed38e338873f6a8593930cf5a7ef24ffb38fc3b6","impliedFormat":1},{"version":"8145e07aad6da5f23f2fcd8c8e4c5c13fb26ee986a79d03b0829b8fce152d8b2","impliedFormat":1},{"version":"f9d9d753d430ed050dc1bf2667a1bab711ccbb1c1507183d794cc195a5b085cc","impliedFormat":1},{"version":"9eece5e586312581ccd106d4853e861aaaa1a39f8e3ea672b8c3847eedd12f6e","impliedFormat":1},{"version":"235bfb54b4869c26f7e98e3d1f68dbfc85acf4cf5c38a4444a006fbf74a8a43d","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"93452d394fdd1dc551ec62f5042366f011a00d342d36d50793b3529bfc9bd633","impliedFormat":1},{"version":"bb715efb4857eb94539eafb420352105a0cff40746837c5140bf6b035dd220ba","affectsGlobalScope":true,"impliedFormat":1},{"version":"1851a3b4db78664f83901bb9cac9e45e03a37bb5933cc5bf37e10bb7e91ab4eb","impliedFormat":1},{"version":"fdedf82878e4c744bc2a1c1e802ae407d63474da51f14a54babe039018e53d8f","affectsGlobalScope":true,"impliedFormat":1},{"version":"27d8987fd22d92efe6560cf0ce11767bf089903ffe26047727debfd1f3bf438b","affectsGlobalScope":true,"impliedFormat":1},{"version":"578d8bb6dcb2a1c03c4c3f8eb71abc9677e1a5c788b7f24848e3138ce17f3400","impliedFormat":1},{"version":"4f029899f9bae07e225c43aef893590541b2b43267383bf5e32e3a884d219ed5","impliedFormat":1},{"version":"ae56f65caf3be91108707bd8dfbccc2a57a91feb5daabf7165a06a945545ed26","impliedFormat":1},{"version":"a136d5de521da20f31631a0a96bf712370779d1c05b7015d7019a9b2a0446ca9","impliedFormat":1},{"version":"5b566927cad2ed2139655d55d690ffa87df378b956e7fe1c96024c4d9f75c4cf","affectsGlobalScope":true,"impliedFormat":1},{"version":"bce947017cb7a2deebcc4f5ba04cead891ce6ad1602a4438ae45ed9aa1f39104","affectsGlobalScope":true,"impliedFormat":1},{"version":"d3dffd70e6375b872f0b4e152de4ae682d762c61a24881ecc5eb9f04c5caf76f","impliedFormat":1},{"version":"e2c72c065a36bc9ab2a00ac6a6f51e71501619a72c0609defd304d46610487a4","impliedFormat":1},{"version":"d91a7d8b5655c42986f1bdfe2105c4408f472831c8f20cf11a8c3345b6b56c8c","impliedFormat":1},{"version":"616075a6ac578cf5a013ee12964188b4412823796ce0b202c6f1d2e4ca8480d7","affectsGlobalScope":true,"impliedFormat":1},{"version":"e8a979b8af001c9fc2e774e7809d233c8ca955a28756f52ee5dee88ccb0611d2","impliedFormat":1},{"version":"cac793cc47c29e26e4ac3601dcb00b4435ebed26203485790e44f2ad8b6ad847","impliedFormat":1},{"version":"865a2612f5ec073dd48d454307ccabb04c48f8b96fda9940c5ebfe6b4b451f51","impliedFormat":1},{"version":"4558ac151f289d39f651a630cc358111ef72c1148e06627ef7edaeb01eb26c82","impliedFormat":1},{"version":"115b2ad73fa7d175cd71a5873d984c21593b2a022f1a2036cc39d9f53629e5dc","impliedFormat":1},{"version":"1be330b3a0b00590633f04c3b35db7fa618c9ee079258e2b24c137eb4ffcd728","impliedFormat":1},{"version":"3253d41f1fefc58f0ba77053f23a3c310cf1a2b880d3b98c63d52161baa730d3","impliedFormat":1},{"version":"3da0083607976261730c44908eab1b6262f727747ef3230a65ecd0153d9e8639","impliedFormat":1},{"version":"db6d2d9daad8a6d83f281af12ce4355a20b9a3e71b82b9f57cddcca0a8964a96","impliedFormat":1},{"version":"dd721e5707f241e4ef4ab36570d9e2a79f66aad63a339e3cbdbac7d9164d2431","impliedFormat":1},{"version":"24f8562308dd8ba6013120557fa7b44950b619610b2c6cb8784c79f11e3c4f90","impliedFormat":1},{"version":"bf331b8593ad461052b37d83f37269b56e446f0aa8dd77440f96802470b5601d","impliedFormat":1},{"version":"a86f82d646a739041d6702101afa82dcb935c416dd93cbca7fd754fd0282ce1f","impliedFormat":1},{"version":"57d6ac03382e30e9213641ff4f18cf9402bb246b77c13c8e848c0b1ca2b7ef92","impliedFormat":1},{"version":"f040772329d757ecd38479991101ef7bc9bf8d8f4dd8ee5d96fe00aa264f2a2b","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"57e47d02e88abef89d214cdf52b478104dc17997015746e288cbb580beaef266","impliedFormat":1},{"version":"04a2d0bd8166f057cc980608bd5898bfc91198636af3c1eb6cb4eb5e8652fbea","impliedFormat":1},{"version":"376c21ad92ca004531807ea4498f90a740fd04598b45a19335a865408180eddd","impliedFormat":1},{"version":"9e2739b32f741859263fdba0244c194ca8e96da49b430377930b8f721d77c000","impliedFormat":1},{"version":"a9af0e608929aaf9ce96bd7a7b99c9360636c31d73670e4af09a09950df97841","impliedFormat":1},{"version":"48d37b90a04e753a925228f50304d02c4f95d57bf682f8bb688621c3cd9d32ec","impliedFormat":1},{"version":"361e2b13c6765d7f85bb7600b48fde782b90c7c41105b7dab1f6e7871071ba20","impliedFormat":1},{"version":"c86fe861cf1b4c46a0fb7d74dffe596cf679a2e5e8b1456881313170f092e3fa","impliedFormat":1},{"version":"b6db56e4903e9c32e533b78ac85522de734b3d3a8541bf24d256058d464bf04b","impliedFormat":1},{"version":"24daa0366f837d22c94a5c0bad5bf1fd0f6b29e1fae92dc47c3072c3fdb2fbd5","impliedFormat":1},{"version":"b68c4ed987ef5693d3dccd85222d60769463aca404f2ffca1c4c42781dce388e","impliedFormat":1},{"version":"cfb5b5d514eb4ad0ee25f313b197f3baa493eee31f27613facd71efb68206720","impliedFormat":1},{"version":"65f43099ded6073336e697512d9b80f2d4fec3182b7b2316abf712e84104db00","impliedFormat":1},{"version":"3e7efde639c6a6c3edb9847b3f61e308bf7a69685b92f665048c45132f51c218","impliedFormat":1},{"version":"df45ca1176e6ac211eae7ddf51336dc075c5314bc5c253651bae639defd5eec5","impliedFormat":1},{"version":"106c6025f1d99fd468fd8bf6e5bda724e11e5905a4076c5d29790b6c3745e50c","impliedFormat":1},{"version":"9715fe982fccf375c88ac4d3cc8f6a126a7b7596be8d60190a0c7d22b45b4be4","impliedFormat":1},{"version":"1fe24e25a00c7dd689cb8c0fb4f1048b4a6d1c50f76aaca2ca5c6cdb44e01442","impliedFormat":1},{"version":"672f293c53a07b8c1c1940797cd5c7984482a0df3dd9c1f14aaee8d3474c2d83","impliedFormat":1},{"version":"0a66cb2511fa8e3e0e6ba9c09923f664a0a00896f486e6f09fc11ff806a12b0c","impliedFormat":1},{"version":"d703f98676a44f90d63b3ffc791faac42c2af0dd2b4a312f4afdb5db471df3de","impliedFormat":1},{"version":"0cfe1d0b90d24f5c105db5a2117192d082f7d048801d22a9ea5c62fae07b80a0","impliedFormat":1},{"version":"ef61792acbfa8c27c9bd113f02731e66229f7d3a169e3c1993b508134f1a58e0","impliedFormat":1},{"version":"9c82171d836c47486074e4ca8e059735bf97b205e70b196535b5efd40cbe1bc5","impliedFormat":1},{"version":"414cc05e215b7fc5a4a6ece431985e05e03762c8eb5bf1e0972d477f97832956","impliedFormat":1},{"version":"c5426dbfc1cf90532f66965a7aa8c1136a78d4d0f96d8180ecbfc11d7722f1a5","impliedFormat":1},{"version":"5c2e5ca7d53236bbf483a81ae283e2695e291fe69490cd139b33fa9e71838a69","impliedFormat":1},{"version":"a73bee51e3820392023252c36348e62dd72e6bae30a345166e9c78360f1aba7e","impliedFormat":1},{"version":"6ea68b3b7d342d1716cc4293813410d3f09ff1d1ca4be14c42e6d51e810962e1","impliedFormat":1},{"version":"c319e82ac16a5a5da9e28dfdefdad72cebb5e1e67cbdcc63cce8ae86be1e454f","impliedFormat":1},{"version":"a23185bc5ef590c287c28a91baf280367b50ae4ea40327366ad01f6f4a8edbc5","impliedFormat":1},{"version":"65a15fc47900787c0bd18b603afb98d33ede930bed1798fc984d5ebb78b26cf9","impliedFormat":1},{"version":"9d202701f6e0744adb6314d03d2eb8fc994798fc83d91b691b75b07626a69801","impliedFormat":1},{"version":"de9d2df7663e64e3a91bf495f315a7577e23ba088f2949d5ce9ec96f44fba37d","impliedFormat":1},{"version":"c7af78a2ea7cb1cd009cfb5bdb48cd0b03dad3b54f6da7aab615c2e9e9d570c5","impliedFormat":1},{"version":"1ee45496b5f8bdee6f7abc233355898e5bf9bd51255db65f5ff7ede617ca0027","impliedFormat":1},{"version":"0c7c947ff881c4274c0800deaa0086971e0bfe51f89a33bd3048eaa3792d4876","affectsGlobalScope":true,"impliedFormat":1},{"version":"db01d18853469bcb5601b9fc9826931cc84cc1a1944b33cad76fd6f1e3d8c544","affectsGlobalScope":true,"impliedFormat":1},{"version":"dba114fb6a32b355a9cfc26ca2276834d72fe0e94cd2c3494005547025015369","impliedFormat":1},{"version":"a020158a317c07774393974d26723af551e569f1ba4d6524e8e245f10e11b976","affectsGlobalScope":true,"impliedFormat":1},{"version":"fa6c12a7c0f6b84d512f200690bfc74819e99efae69e4c95c4cd30f6884c526e","impliedFormat":1},{"version":"f1c32f9ce9c497da4dc215c3bc84b722ea02497d35f9134db3bb40a8d918b92b","impliedFormat":1},{"version":"b73c319af2cc3ef8f6421308a250f328836531ea3761823b4cabbd133047aefa","affectsGlobalScope":true,"impliedFormat":1},{"version":"e433b0337b8106909e7953015e8fa3f2d30797cea27141d1c5b135365bb975a6","impliedFormat":1},{"version":"15b36126e0089bfef173ab61329e8286ce74af5e809d8a72edcafd0cc049057f","impliedFormat":1},{"version":"ddff7fc6edbdc5163a09e22bf8df7bef75f75369ebd7ecea95ba55c4386e2441","impliedFormat":1},{"version":"13283350547389802aa35d9f2188effaeac805499169a06ef5cd77ce2a0bd63f","impliedFormat":1},{"version":"2e4f37ffe8862b14d8e24ae8763daaa8340c0df0b859d9a9733def0eee7562d9","impliedFormat":1},{"version":"d07cbc787a997d83f7bde3877fec5fb5b12ce8c1b7047eb792996ed9726b4dde","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"8bba776476c48b0e319d243f353190f24096057acede3c2f620fee17ff885dba","impliedFormat":1},{"version":"a3abe92070fbd33714bd837806030b39cfb1f8283a98c7c1f55fffeea388809e","impliedFormat":1},{"version":"ceb6696b98a72f2dae802260c5b0940ea338de65edd372ff9e13ab0a410c3a88","impliedFormat":1},{"version":"2cd914e04d403bdc7263074c63168335d44ce9367e8a74f6896c77d4d26a1038","impliedFormat":1},{"version":"ac60bbee0d4235643cc52b57768b22de8c257c12bd8c2039860540cab1fa1d82","impliedFormat":1},{"version":"b73cbf0a72c8800cf8f96a9acfe94f3ad32ca71342a8908b8ae484d61113f647","impliedFormat":1},{"version":"bae6dd176832f6423966647382c0d7ba9e63f8c167522f09a982f086cd4e8b23","impliedFormat":1},{"version":"208c9af9429dd3c76f5927b971263174aaa4bc7621ddec63f163640cbd3c473c","impliedFormat":1},{"version":"20865ac316b8893c1a0cc383ccfc1801443fbcc2a7255be166cf90d03fac88c9","impliedFormat":1},{"version":"c9958eb32126a3843deedda8c22fb97024aa5d6dd588b90af2d7f2bfac540f23","impliedFormat":1},{"version":"3bc8605900fd1668f6d93ce8e14386478b6caa6fda41be633ee0fe4d0c716e62","impliedFormat":1},{"version":"461d0ad8ae5f2ff981778af912ba71b37a8426a33301daa00f21c6ccb27f8156","impliedFormat":1},{"version":"e927c2c13c4eaf0a7f17e6022eee8519eb29ef42c4c13a31e81a611ab8c95577","impliedFormat":1},{"version":"fcafff163ca5e66d3b87126e756e1b6dfa8c526aa9cd2a2b0a9da837d81bbd72","impliedFormat":1},{"version":"70246ad95ad8a22bdfe806cb5d383a26c0c6e58e7207ab9c431f1cb175aca657","impliedFormat":1},{"version":"f00f3aa5d64ff46e600648b55a79dcd1333458f7a10da2ed594d9f0a44b76d0b","impliedFormat":1},{"version":"772d8d5eb158b6c92412c03228bd9902ccb1457d7a705b8129814a5d1a6308fc","impliedFormat":1},{"version":"45490817629431853543adcb91c0673c25af52a456479588b6486daba34f68bb","impliedFormat":1},{"version":"802e797bcab5663b2c9f63f51bdf67eff7c41bc64c0fd65e6da3e7941359e2f7","impliedFormat":1},{"version":"b01bd582a6e41457bc56e6f0f9de4cb17f33f5f3843a7cf8210ac9c18472fb0f","impliedFormat":1},{"version":"9f31420a5040dbfb49ab94bcaaa5103a9a464e607cabe288958f53303f1da32e","impliedFormat":1},{"version":"6124e973eab8c52cabf3c07575204efc1784aca6b0a30c79eb85fe240a857efa","impliedFormat":1},{"version":"0d891735a21edc75df51f3eb995e18149e119d1ce22fd40db2b260c5960b914e","impliedFormat":1},{"version":"3b414b99a73171e1c4b7b7714e26b87d6c5cb03d200352da5342ab4088a54c85","impliedFormat":1},{"version":"f11d0dcaa4a1cba6d6513b04ceb31a262f223f56e18b289c0ba3133b4d3cd9a6","impliedFormat":1},{"version":"0a437ae178f999b46b6153d79095b60c42c996bc0458c04955f1c996dc68b971","impliedFormat":1},{"version":"74b2a5e5197bd0f2e0077a1ea7c07455bbea67b87b0869d9786d55104006784f","impliedFormat":1},{"version":"4a7baeb6325920044f66c0f8e5e6f1f52e06e6d87588d837bdf44feb6f35c664","impliedFormat":1},{"version":"6dcf60530c25194a9ee0962230e874ff29d34c59605d8e069a49928759a17e0a","impliedFormat":1},{"version":"56013416784a6b754f3855f8f2bf6ce132320679b8a435389aca0361bce4df6b","impliedFormat":1},{"version":"43e96a3d5d1411ab40ba2f61d6a3192e58177bcf3b133a80ad2a16591611726d","impliedFormat":1},{"version":"9c066f3b46cf016e5d072b464821c5b21cc9adcc44743de0f6c75e2509a357ab","impliedFormat":1},{"version":"002eae065e6960458bda3cf695e578b0d1e2785523476f8a9170b103c709cd4f","impliedFormat":1},{"version":"c51641ab4bfa31b7a50a0ca37edff67f56fab3149881024345b13f2b48b7d2de","impliedFormat":1},{"version":"a57b1802794433adec9ff3fed12aa79d671faed86c49b09e02e1ac41b4f1d33a","impliedFormat":1},{"version":"b620391fe8060cf9bedc176a4d01366e6574d7a71e0ac0ab344a4e76576fcbb8","impliedFormat":1},{"version":"52abbd5035a97ebfb4240ec8ade2741229a7c26450c84eb73490dc5ea048b911","impliedFormat":1},{"version":"1042064ece5bb47d6aba91648fbe0635c17c600ebdf567588b4ca715602f0a9d","impliedFormat":1},{"version":"4360ad4de54de2d5c642c4375d5eab0e7fe94ebe8adca907e6c186bbef75a54d","impliedFormat":1},{"version":"c338dff3233675f87a3869417aaea8b8bf590505106d38907dc1d0144f6402ef","impliedFormat":1},{"version":"7bb79aa2fead87d9d56294ef71e056487e848d7b550c9a367523ee5416c44cfa","impliedFormat":1},{"version":"9c9cae45dc94c2192c7d25f80649414fa13c425d0399a2c7cb2b979e4e50af42","impliedFormat":1},{"version":"068f063c2420b20f8845afadb38a14c640aed6bb01063df224edb24af92b4550","impliedFormat":1},{"version":"27ff4196654e6373c9af16b6165120e2dd2169f9ad6abb5c935af5abd8c7938c","impliedFormat":1},{"version":"b8719d4483ebef35e9cb67cd5677b7e0103cf2ed8973df6aba6fdd02896ddc6e","impliedFormat":1},{"version":"643672ce383e1c58ea665a92c5481f8441edbd3e91db36e535abccbc9035adeb","impliedFormat":1},{"version":"6dd9bcf10678b889842d467706836a0ab42e6c58711e33918ed127073807ee65","impliedFormat":1},{"version":"8fa022ea514ce0ea78ac9b7092a9f97f08ead20c839c779891019e110fce8307","impliedFormat":1},{"version":"c93235337600b786fd7d0ff9c71a00f37ca65c4d63e5d695fc75153be2690f09","impliedFormat":1},{"version":"10179c817a384983f6925f778a2dac2c9427817f7d79e27d3e9b1c8d0564f1f4","impliedFormat":1},{"version":"ce791f6ea807560f08065d1af6014581eeb54a05abd73294777a281b6dfd73c2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"c0a666b005521f52e2db0b685d659d7ee9b0b60bc0d347dfc5e826c7957bdb83","impliedFormat":1},{"version":"807d38d00ce6ab9395380c0f64e52f2f158cc804ac22745d8f05f0efdec87c33","impliedFormat":1},{"version":"ce0df82a9ae6f914ba08409d4d883983cc08e6d59eb2df02d8e4d68309e7848b","impliedFormat":1},{"version":"796273b2edc72e78a04e86d7c58ae94d370ab93a0ddf40b1aa85a37a1c29ecd7","impliedFormat":1},{"version":"5df15a69187d737d6d8d066e189ae4f97e41f4d53712a46b2710ff9f8563ec9f","impliedFormat":1},{"version":"e17cd049a1448de4944800399daa4a64c5db8657cc9be7ef46be66e2a2cd0e7c","impliedFormat":1},{"version":"d05fb434f4ba073aed74b6c62eff1723c835de2a963dbb091e000a2decb5a691","impliedFormat":1},{"version":"10e6166be454ddb8c81000019ce1069b476b478c316e7c25965a91904ec5c1e3","impliedFormat":1},{"version":"43ba4f2fa8c698f5c304d21a3ef596741e8e85a810b7c1f9b692653791d8d97a","impliedFormat":1},{"version":"4d4927cbee21750904af7acf940c5e3c491b4d5ebc676530211e389dd375607a","impliedFormat":1},{"version":"72105519d0390262cf0abe84cf41c926ade0ff475d35eb21307b2f94de985778","impliedFormat":1},{"version":"703989a003790524b4e34a1758941d05c121d5d352bccca55a5cfb0c76bca592","impliedFormat":1},{"version":"a58abf1f5c8feb335475097abeddd32fd71c4dc2065a3d28cf15cacabad9654a","impliedFormat":1},{"version":"ccf6dd45b708fb74ba9ed0f2478d4eb9195c9dfef0ff83a6092fa3cf2ff53b4f","impliedFormat":1},{"version":"2d7db1d73456e8c5075387d4240c29a2a900847f9c1bff106a2e490da8fbd457","impliedFormat":1},{"version":"2b15c805f48e4e970f8ec0b1915f22d13ca6212375e8987663e2ef5f0205e832","impliedFormat":1},{"version":"671aeae7130038566a8d00affeb1b3e3b131edf93cbcfff6f55ed68f1ca4c1b3","impliedFormat":1},{"version":"f0f05149debcf31b3a717ce8dd16e0323a789905cb9e27239167b604153b8885","impliedFormat":1},{"version":"35069c2c417bd7443ae7c7cafd1de02f665bf015479fec998985ffbbf500628c","impliedFormat":1},{"version":"955c69dde189d5f47a886ed454ff50c69d4d8aaec3a454c9ab9c3551db727861","impliedFormat":1},{"version":"cec8b16ff98600e4f6777d1e1d4ddf815a5556a9c59bc08cc16db4fd4ae2cf00","impliedFormat":1},{"version":"9e21f8e2c0cfea713a4a372f284b60089c0841eb90bf3610539d89dbcd12d65a","impliedFormat":1},{"version":"045b752f44bf9bbdcaffd882424ab0e15cb8d11fa94e1448942e338c8ef19fba","impliedFormat":1},{"version":"2894c56cad581928bb37607810af011764a2f511f575d28c9f4af0f2ef02d1ab","impliedFormat":1},{"version":"0a72186f94215d020cb386f7dca81d7495ab6c17066eb07d0f44a5bf33c1b21a","impliedFormat":1},{"version":"c226288bda11cee97850f0149cc4ff5a244d42ed3f5a9f6e9b02f1162bf1e3f4","impliedFormat":1},{"version":"210a4ec6fd58f6c0358e68f69501a74aef547c82deb920c1dec7fa04f737915a","impliedFormat":1},{"version":"8eea4cc42d04d26bcbcaf209366956e9f7abaf56b0601c101016bb773730c5fe","impliedFormat":1},{"version":"f5319e38724c54dff74ee734950926a745c203dcce00bb0343cb08fbb2f6b546","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"12b8dfed70961bea1861e5d39e433580e71323abb5d33da6605182ec569db584","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"7e560f533aaf88cf9d3b427dcf6c112dd3f2ee26d610e2587583b6c354c753db","impliedFormat":1},{"version":"71e0082342008e4dfb43202df85ea0986ef8e003c921a1e49999d0234a3019da","impliedFormat":1},{"version":"27ab780875bcbb65e09da7496f2ca36288b0c541abaa75c311450a077d54ec15","impliedFormat":1},{"version":"2652448ac55a2010a1f71dd141f828b682298d39728f9871e1cdf8696ef443fd","impliedFormat":1},{"version":"e71e103fb212e015394def7f1379706fce637fec9f91aa88410a73b7c5cbd4e3","impliedFormat":1},{"version":"120599fd965257b1f4d0ff794bc696162832d9d8467224f4665f713a3119078b","impliedFormat":1},{"version":"5433f33b0a20300cca35d2f229a7fc20b0e8477c44be2affeb21cb464af60c76","impliedFormat":1},{"version":"db036c56f79186da50af66511d37d9fe77fa6793381927292d17f81f787bb195","impliedFormat":1},{"version":"bd4131091b773973ca5d2326c60b789ab1f5e02d8843b3587effe6e1ea7c9d86","impliedFormat":1},{"version":"794998dc1c5a19ce77a75086fe829fb9c92f2fd07b5631c7d5e0d04fd9bc540c","impliedFormat":1},{"version":"2b0b12d0ee52373b1e7b09226eae8fbf6a2043916b7c19e2c39b15243f32bde2","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"0427df5c06fafc5fe126d14b9becd24160a288deff40e838bfbd92a35f8d0d00","impliedFormat":1},{"version":"bdc5fd605a6d315ded648abf2c691a22d0b0c774b78c15512c40ddf138e51950","impliedFormat":1},{"version":"49c346823ba6d4b12278c12c977fb3a31c06b9ca719015978cb145eb86da1c61","impliedFormat":1},{"version":"bfac6e50eaa7e73bb66b7e052c38fdc8ccfc8dbde2777648642af33cf349f7f1","impliedFormat":1},{"version":"92f7c1a4da7fbfd67a2228d1687d5c2e1faa0ba865a94d3550a3941d7527a45d","impliedFormat":1},{"version":"f53b120213a9289d9a26f5af90c4c686dd71d91487a0aa5451a38366c70dc64b","impliedFormat":1},{"version":"6cd4b0986c638d92f7204d1407b1cb3e0a79d7a2d23b0f141c1a0829540ce7ef","impliedFormat":1},{"version":"57d67b72e06059adc5e9454de26bbfe567d412b962a501d263c75c2db430f40e","impliedFormat":1},{"version":"6511e4503cf74c469c60aafd6589e4d14d5eb0a25f9bf043dcbecdf65f261972","impliedFormat":1},{"version":"d58265e159fc3cb30aa8878ba5e986a314b1759c824ff66d777b9fe42117231a","impliedFormat":1},{"version":"ff8fccaae640b0bb364340216dcc7423e55b6bb182ca2334837fee38636ad32e","impliedFormat":1},{"version":"a67b87d0281c97dfc1197ef28dfe397fc2c865ccd41f7e32b53f647184cc7307","impliedFormat":1},{"version":"771ffb773f1ddd562492a6b9aaca648192ac3f056f0e1d997678ff97dbb6bf9b","impliedFormat":1},{"version":"232f70c0cf2b432f3a6e56a8dc3417103eb162292a9fd376d51a3a9ea5fbbf6f","impliedFormat":1},{"version":"59ee66cf96b093b18c90a8f6dbb3f0e3b65c758fba7b8b980af9f2726c32c1a2","impliedFormat":1},{"version":"c590195790d7fa35b4abed577a605d283b8336b9e01fa9bf4ae4be49855940f9","impliedFormat":1},{"version":"8a0e762ceb20c7e72504feef83d709468a70af4abccb304f32d6b9bac1129b2c","impliedFormat":1},{"version":"026a43d8239b8f12d2fc4fa5a7acbc2ad06dd989d8c71286d791d9f57ca22b78","impliedFormat":1},{"version":"9252d498a77517aab5d8d4b5eb9d71e4b225bbc7123df9713e08181de63180f6","impliedFormat":1},{"version":"14cf3683955f914b4695e92c93aae5f3fe1e60f3321d712605164bfe53b34334","impliedFormat":1},{"version":"12f0fb50e28b9d48fe5b7580580efe7cc0bd38e4b8c02d21c175aa9a4fd839b0","impliedFormat":1},{"version":"1fffe726740f9787f15b532e1dc870af3cd964dbe29e191e76121aa3dd8693f2","impliedFormat":1},{"version":"7cd657e359eac7829db5f02c856993e8945ffccc71999cdfb4ab3bf801a1bbc6","impliedFormat":1},{"version":"1a82deef4c1d39f6882f28d275cad4c01f907b9b39be9cbc472fcf2cf051e05b","impliedFormat":1},{"version":"4b20fcf10a5413680e39f5666464859fc56b1003e7dfe2405ced82371ebd49b6","impliedFormat":1},{"version":"29c2aa0712786a4a504fce3acd50928f086027276f7490965cb467d2ce638bae","impliedFormat":1},{"version":"f14e63395b54caecc486f00a39953ab00b7e4d428a4e2c38325154b08eb5dcc2","impliedFormat":1},{"version":"e749bbd37dadf82c9833278780527c717226e1e2c9bc7b2576c8ec1c40ec5647","impliedFormat":1},{"version":"7b4a7f4def7b300d5382747a7aa31de37e5f3bf36b92a1b538412ea604601715","impliedFormat":1},{"version":"08f52a9edaabeda3b2ea19a54730174861ceed637c5ca1c1b0c39459fdc0853e","impliedFormat":1},{"version":"6459054aabb306821a043e02b89d54da508e3a6966601a41e71c166e4ea1474f","impliedFormat":1},{"version":"bb37588926aba35c9283fe8d46ebf4e79ffe976343105f5c6d45f282793352b2","impliedFormat":1},{"version":"05c97cddbaf99978f83d96de2d8af86aded9332592f08ce4a284d72d0952c391","impliedFormat":1},{"version":"72179f9dd22a86deaad4cc3490eb0fe69ee084d503b686985965654013f1391b","impliedFormat":1},{"version":"2e6114a7dd6feeef85b2c80120fdbfb59a5529c0dcc5bfa8447b6996c97a69f5","impliedFormat":1},{"version":"7b6ff760c8a240b40dab6e4419b989f06a5b782f4710d2967e67c695ef3e93c4","impliedFormat":1},{"version":"29164fb428c851bc35b632761daad3ae075993a0bf9c43e9e3bc6468b32d9aa5","impliedFormat":1},{"version":"3c01539405051bffccacffd617254c8d0f665cdce00ec568c6f66ccb712b734f","impliedFormat":1},{"version":"ef9021bdfe54f4df005d0b81170bd2da9bfd86ef552cde2a049ba85c9649658f","impliedFormat":1},{"version":"17a1a0d1c492d73017c6e9a8feb79e9c8a2d41ef08b0fe51debc093a0b2e9459","impliedFormat":1},{"version":"f974e4a06953682a2c15d5bd5114c0284d5abf8bc0fe4da25cb9159427b70072","impliedFormat":1},{"version":"50256e9c31318487f3752b7ac12ff365c8949953e04568009c8705db802776fb","impliedFormat":1},{"version":"96e1caae9b78cde35c62fee46c1ec9fa5f12c16bc1e2ab08d48e5921e29a6958","impliedFormat":1},{"version":"8de9fe97fa9e00ec00666fa77ab6e91b35d25af8ca75dabcb01e14ad3299b150","impliedFormat":1},{"version":"9e0327857503a958348d9e8e9dd57ed155a1e6ec0071eb5eb946fe06ccdf7680","impliedFormat":1},{"version":"6c800b281b9e89e69165fd11536195488de3ff53004e55905e6c0059a2d8591e","impliedFormat":1},{"version":"01aa917531e116485beca44a14970834687b857757159769c16b228eb1e49c5f","impliedFormat":1},{"version":"397f568f996f8ffcf12d9156342552b0da42f6571eadba6bce61c99e1651977d","impliedFormat":1},{"version":"e2fd426f3cbc5bbff7860378784037c8fa9c1644785eed83c47c902b99b6cda9","impliedFormat":1},{"version":"d663134457d8d669ae0df34eabd57028bddc04fc444c4bc04bc5215afc91e1f4","impliedFormat":1},{"version":"a52674bc98da7979607e0f44d4c015c59c1b1d264c83fc50ec79ff2cfea06723","impliedFormat":1},{"version":"bcca16e60015db8bbf6bd117e88c5f7269337aebb05fc2b0701ae658a458c9c3","impliedFormat":1},{"version":"5e1246644fab20200cdc7c66348f3c861772669e945f2888ef58b461b81e1cd8","impliedFormat":1},{"version":"eb39550e2485298d91099e8ab2a1f7b32777d9a5ba34e9028ea8df2e64891172","impliedFormat":1},{"version":"e108f38a04a607f9386d68a4c6f3fdae1b712960f11f6482c6f1769bab056c2e","impliedFormat":1},{"version":"a3128a84a9568762a2996df79717d92154d18dd894681fc0ab3a098fa7f8ee3b","affectsGlobalScope":true,"impliedFormat":1},{"version":"347791f3792f436950396dd6171d6450234358001ae7c94ca209f1406566ccbf","impliedFormat":1},{"version":"dd80b1e600d00f5c6a6ba23f455b84a7db121219e68f89f10552c54ba46e4dc9","impliedFormat":1},{"version":"714d8ebb298c7acc9bd1f34bd479c57d12b73371078a0c5a1883a68b8f1b9389","impliedFormat":1},{"version":"616775f16134fa9d01fc677ad3f76e68c051a056c22ab552c64cc281a9686790","impliedFormat":1},{"version":"65c24a8baa2cca1de069a0ba9fba82a173690f52d7e2d0f1f7542d59d5eb4db0","impliedFormat":1},{"version":"f9fe6af238339a0e5f7563acee3178f51db37f32a2e7c09f85273098cee7ec49","impliedFormat":1},{"version":"51bf55bb6eb80f11b3aa59fb0a9571565a7ea304a19381f6da5630f4b2e206c4","impliedFormat":1},{"version":"77e71242e71ebf8528c5802993697878f0533db8f2299b4d36aa015bae08a79c","impliedFormat":1},{"version":"98a787be42bd92f8c2a37d7df5f13e5992da0d967fab794adbb7ee18370f9849","impliedFormat":1},{"version":"02f8ef78d46c5b27f108dbb56709daa0aff625c20247abb0e6bb67cd73439f9f","impliedFormat":1},{"version":"b7fff2d004c5879cae335db8f954eb1d61242d9f2d28515e67902032723caeab","impliedFormat":1},{"version":"5f3dc10ae646f375776b4e028d2bed039a93eebbba105694d8b910feebbe8b9c","impliedFormat":1},{"version":"bb0cd7862b72f5eba39909c9889d566e198fcaddf7207c16737d0c2246112678","impliedFormat":1},{"version":"4545c1a1ceca170d5d83452dd7c4994644c35cf676a671412601689d9a62da35","impliedFormat":1},{"version":"6812502cc640de74782ce9121592ae3765deb1c5c8e795b179736b308dd65e90","impliedFormat":1},{"version":"a2d648d333cf67b9aeac5d81a1a379d563a8ffa91ddd61c6179f68de724260ff","impliedFormat":1},{"version":"2b664c3cc544d0e35276e1fb2d4989f7d4b4027ffc64da34ec83a6ccf2e5c528","impliedFormat":1},{"version":"a3f41ed1b4f2fc3049394b945a68ae4fdefd49fa1739c32f149d32c0545d67f5","impliedFormat":1},{"version":"bad68fd0401eb90fe7da408565c8aee9c7a7021c2577aec92fa1382e8876071a","impliedFormat":1},{"version":"47699512e6d8bebf7be488182427189f999affe3addc1c87c882d36b7f2d0b0e","impliedFormat":1},{"version":"fec01479923e169fb52bd4f668dbeef1d7a7ea6e6d491e15617b46f2cacfa37d","impliedFormat":1},{"version":"8a8fb3097ba52f0ae6530ec6ab34e43e316506eb1d9aa29420a4b1e92a81442d","impliedFormat":1},{"version":"44e09c831fefb6fe59b8e65ad8f68a7ecc0e708d152cfcbe7ba6d6080c31c61e","impliedFormat":1},{"version":"1c0a98de1323051010ce5b958ad47bc1c007f7921973123c999300e2b7b0ecc0","impliedFormat":1},{"version":"b10bc147143031b250dc36815fd835543f67278245bf2d0a46dca765f215124e","impliedFormat":1},{"version":"87affad8e2243635d3a191fa72ef896842748d812e973b7510a55c6200b3c2a4","impliedFormat":1},{"version":"ad036a85efcd9e5b4f7dd5c1a7362c8478f9a3b6c3554654ca24a29aa850a9c5","impliedFormat":1},{"version":"fedebeae32c5cdd1a85b4e0504a01996e4a8adf3dfa72876920d3dd6e42978e7","impliedFormat":1},{"version":"1e4c6ac595b6d734c056ac285b9ee50d27a2c7afe7d15bd14ed16210e71593b0","impliedFormat":1},{"version":"cdf21eee8007e339b1b9945abf4a7b44930b1d695cc528459e68a3adc39a622e","impliedFormat":1},{"version":"330896c1a2b9693edd617be24fbf9e5895d6e18c7955d6c08f028f272b37314d","impliedFormat":1},{"version":"1d9c0a9a6df4e8f29dc84c25c5aa0bb1da5456ebede7a03e03df08bb8b27bae6","impliedFormat":1},{"version":"84380af21da938a567c65ef95aefb5354f676368ee1a1cbb4cae81604a4c7d17","impliedFormat":1},{"version":"1af3e1f2a5d1332e136f8b0b95c0e6c0a02aaabd5092b36b64f3042a03debf28","impliedFormat":1},{"version":"3c7b3aecd652169787b3c512d8f274a3511c475f84dcd6cead164e40cad64480","impliedFormat":1},{"version":"9a01f12466488eccd8d9eafc8fecb9926c175a4bf4a8f73a07c3bcf8b3363282","impliedFormat":1},{"version":"b80f624162276f24a4ec78b8e86fbee80ca255938e12f8b58e7a8f1a6937120b","impliedFormat":1},{"version":"1de80059b8078ea5749941c9f863aa970b4735bdbb003be4925c853a8b6b4450","impliedFormat":1},{"version":"1d079c37fa53e3c21ed3fa214a27507bda9991f2a41458705b19ed8c2b61173d","impliedFormat":1},{"version":"5bf5c7a44e779790d1eb54c234b668b15e34affa95e78eada73e5757f61ed76a","impliedFormat":1},{"version":"5835a6e0d7cd2738e56b671af0e561e7c1b4fb77751383672f4b009f4e161d70","impliedFormat":1},{"version":"5c634644d45a1b6bc7b05e71e05e52ec04f3d73d9ac85d5927f647a5f965181a","impliedFormat":1},{"version":"4b7f74b772140395e7af67c4841be1ab867c11b3b82a51b1aeb692822b76c872","impliedFormat":1},{"version":"27be6622e2922a1b412eb057faa854831b95db9db5035c3f6d4b677b902ab3b7","impliedFormat":1},{"version":"b95a6f019095dd1d48fd04965b50dfd63e5743a6e75478343c46d2582a5132bf","impliedFormat":99},{"version":"c2008605e78208cfa9cd70bd29856b72dda7ad89df5dc895920f8e10bcb9cd0a","impliedFormat":99},{"version":"b97cb5616d2ab82a98ec9ada7b9e9cabb1f5da880ec50ea2b8dc5baa4cbf3c16","impliedFormat":99},{"version":"63a7595a5015e65262557f883463f934904959da563b4f788306f699411e9bac","impliedFormat":1},{"version":"4ba137d6553965703b6b55fd2000b4e07ba365f8caeb0359162ad7247f9707a6","impliedFormat":1},{"version":"00b0f43b3770f66aa1e105327980c0ff17a868d0e5d9f5689f15f8d6bf4fb1f4","affectsGlobalScope":true,"impliedFormat":1},{"version":"272a7e7dbe05e8aaba1662ef1a16bbd57975cc352648b24e7a61b7798f3a0ad7","affectsGlobalScope":true,"impliedFormat":1},{"version":"a1219ee18b9282b4c6a31f1f0bcc9255b425e99363268ba6752a932cf76662f0","impliedFormat":1},{"version":"3dc14e1ab45e497e5d5e4295271d54ff689aeae00b4277979fdd10fa563540ae","impliedFormat":1},{"version":"1d63055b690a582006435ddd3aa9c03aac16a696fac77ce2ed808f3e5a06efab","impliedFormat":1},{"version":"b789bf89eb19c777ed1e956dbad0925ca795701552d22e68fd130a032008b9f9","impliedFormat":1},"f2b3bca04d1bfe583daae1e1f798c92ec24bb6693bd88d0a09ba6802dee362a8","614bce25b089c3f19b1e17a6346c74b858034040154c6621e7d35303004767cc",{"version":"402e5c534fb2b85fa771170595db3ac0dd532112c8fa44fc23f233bc6967488b","impliedFormat":1},{"version":"8885cf05f3e2abf117590bbb951dcf6359e3e5ac462af1c901cfd24c6a6472e2","impliedFormat":1},{"version":"769adbb54d25963914e1d8ce4c3d9b87614bf60e6636b32027e98d4f684d5586","impliedFormat":1},{"version":"e61df3640a38d535fd4bc9f4a53aef17c296b58dc4b6394fd576b808dd2fe5e6","impliedFormat":1},{"version":"80781460eca408fe8d2937d9fdbbb780d6aac35f549621e6200c9bee1da5b8fe","impliedFormat":1},{"version":"4719c209b9c00b579553859407a7e5dcfaa1c472994bd62aa5dd3cc0757eb077","impliedFormat":1},{"version":"7ec359bbc29b69d4063fe7dad0baaf35f1856f914db16b3f4f6e3e1bca4099fa","impliedFormat":1},{"version":"b9261ac3e9944d3d72c5ee4cf888ad35d9743a5563405c6963c4e43ee3708ca4","impliedFormat":1},{"version":"c84fd54e8400def0d1ef1569cafd02e9f39a622df9fa69b57ccc82128856b916","impliedFormat":1},{"version":"a022503e75d6953d0e82c2c564508a5c7f8556fad5d7f971372d2d40479e4034","impliedFormat":1},{"version":"2ed6489ef46eb61442d067c08e87e3db501c0bfb2837eee4041a27bf3e792bb0","impliedFormat":1},{"version":"644491cde678bd462bb922c1d0cfab8f17d626b195ccb7f008612dc31f445d2d","impliedFormat":1},{"version":"495e8ce8a3b99536dcc4e695d225123534d90ab75f316befe68de4b9336aae5d","impliedFormat":1},{"version":"f45a2a8b1777ecb50ed65e1a04bb899d4b676529b7921bd5d69b08573a00c832","impliedFormat":1},{"version":"774b783046ba3d473948132d28a69f52a295b2f378f2939304118ba571b1355e","impliedFormat":1},{"version":"b5734e05c787a40e4f9efe71f16683c5f7dc3bdb0de7c04440c855bd000f8fa7","impliedFormat":1},{"version":"14ba97f0907144771331e1349fdccb5a13526eba0647e6b447e572376d811b6f","impliedFormat":1},{"version":"2a771d907aebf9391ac1f50e4ad37952943515eeea0dcc7e78aa08f508294668","impliedFormat":1},{"version":"0146fd6262c3fd3da51cb0254bb6b9a4e42931eb2f56329edd4c199cb9aaf804","impliedFormat":1},{"version":"26e629be9bbd94ea1d465af83ce5a3306890520695f07be6eb016f8d734d02be","impliedFormat":99},{"version":"b558c9a18ea4e6e4157124465c3ef1063e64640da139e67be5edb22f534f2f08","impliedFormat":1},{"version":"01374379f82be05d25c08d2f30779fa4a4c41895a18b93b33f14aeef51768692","impliedFormat":1},{"version":"b0dee183d4e65cf938242efaf3d833c6b645afb35039d058496965014f158141","impliedFormat":1},{"version":"c0bbbf84d3fbd85dd60d040c81e8964cc00e38124a52e9c5dcdedf45fea3f213","impliedFormat":1},"223f2def401123e32ac5664f79c73bdaa8b3a77caf466a304bff919a2a28c16f",{"version":"359e7188a3ad226e902c43443a45f17bd53bf279596aece7761dc72ffa22b30d","impliedFormat":1},{"version":"bc49a4fc1205cea6f81982f4a59d42cce66f8892a16142c1e274841ddbe802a1","impliedFormat":1},{"version":"ba9c041d4b2859771e597b35d766ca8a58f767f435189377949851313fc08a5b","signature":"8f77b9365708bd0a871e86c26136a0c79a1c5eb3c684104d1497755ca82667e6"},{"version":"16f9e390c99c46e0c9ce9d402406d30afd20d2ed938dc1df4d7c88f426477361","signature":"4eb5e4aa28da3ddd7398b79db39403121941b0e8cf8cf7ff9779d30c2d654f4f"},{"version":"04ddcdfbbf0c23c956e4157125e47c7aa91adef3c0274ac321f431f87de41515","signature":"7080104118d3e6b70e8e5ed6271adfecf474122031bd6447ac44d2baebfc4301"},{"version":"ff89ea8e28cb77d1330096781f2bfb94f8ac73370040878ec1ee5af05b235905","signature":"e24d12118cb2463a00bb110b2ecdbbec5adadcc757dcf10de15c2e4d10986ab3"},"6acb77c3f0009d2868917b6a6e875f2e11a206ede8decb82d5fa17aead071cab","6ba5fd3ee066778164274858340e366d1b81a6eb27dcefadaba19f4bac5b7e7d",{"version":"825eb7f55311a434c4b08ea04debe5a06884b6e6b3dc1fd7f21c8a418c447036","signature":"5a0d9d3b226b3a6078e5b319690aa19a0e276a57542a8fec9f77ba40ab4bf3d9"},{"version":"fcef1b04b9ae4137ff898d94cf22eb7fad835115cf306cc213b9fcb6253c1ae3","impliedFormat":1},{"version":"8866afaa7858b07a45e8c3c9c7994a1f4bdb33d6a09f267d106be8a77e9faf7b","impliedFormat":1},{"version":"a53ba117a718d7db256e67b4d89987b060e7b6e8e883d91869a227acb8fc8fb9","impliedFormat":1},{"version":"2db8a13c115d5eac1a8c10be830daa7d9ed4a31a82eedd075f081cfe31dd7b94","impliedFormat":1},{"version":"fe2ae8a4f780c2d9a5eb5014c035f10faf98d1def481216b221a6d6a9b98a98a","impliedFormat":1},{"version":"75e99bd36b61d98f1564fc8fbdef0db955ef4b9c11cc488a903377c92f0f409b","impliedFormat":1},{"version":"18bcc01d17e7fed441eb045beb5ab1fb5376ec8c108d0cb9f3e56bc924e48508","impliedFormat":1},{"version":"638964c5c016a3894c1c0cdf707bde1c9230da7a9b94de17f8f70a79a1276448","impliedFormat":1},{"version":"cdec1dc6c2a50a450f399b90be53eebe478a203e3a892e338af0d7ea1f7bf95e","impliedFormat":1},{"version":"19d6bb75afaf19057fda9eea52f5e9b2904ad5ce074208e26a85a0a2ef02967f","impliedFormat":1},{"version":"081958260123f1dd58dd802407aae1f7e25d49e8f1d955a7b888cb8e5e388265","impliedFormat":1},{"version":"fe3c210949a6b5cc1f6b12f07fd795cad35f418009a92e8f65c7d40637804bd9","impliedFormat":1},{"version":"98fcb83e9d921ddf10aac30dbf0471b46024d65c52b886458e036f90f6dd2cd2","impliedFormat":1},{"version":"0fd37a5a5c182a9b9cd5ff651106189fd85f23b0d14bb762f2b2c57e12f2face","impliedFormat":1},{"version":"b3828dcce5209e5b76fcd1a60b3c52c84735f56df7513a5d4412743771e62180","impliedFormat":1},{"version":"e2ecc557255d05f4bbdfd515f6687e6ccd144a7731c90bca1fcb66ac5162992c","impliedFormat":1},{"version":"a555bea0935f3d2d3f5a20141665207c575912a4bd4cdfbc49a817f149b1dd0e","impliedFormat":1},{"version":"3533374d0f9c64f4da2a7c12b12bb771000b91a2442ad551a332f266976f38fc","impliedFormat":1},{"version":"33334027e91752b315bd13747060ca55d7f4713e6004ebd319cb3deb80b6cad5","impliedFormat":1},{"version":"311f919487e8c40f67cba3784a9af8c2adfb79eb01bd8bc821cc07a565c0b148","impliedFormat":1},{"version":"5338ae2d47ffc8be0821ceee5eb2698782ed847f9a321de4e74cdbebbd77c71a","impliedFormat":1},{"version":"59960cbe61b4fd7addd512bf89f3c04cab511312255b9aad431fa356d89b29e0","impliedFormat":1},{"version":"cd51ceafea7762ad639afb3ca5b68e1e4ffeaacaa402d7ef2cae17016e29e098","impliedFormat":1},{"version":"1b8357b3fef5be61b5de6d6a4805a534d68fe3e040c11f1944e27d4aec85936a","impliedFormat":1},{"version":"130ec22c8432ade59047e0225e552c62a47683d870d44785bee95594c8d65408","impliedFormat":1},{"version":"4f24c2781b21b6cd65eede543669327d68a8cf0c6d9cf106a1146b164a7c8ef9","affectsGlobalScope":true,"impliedFormat":1},{"version":"928f96b9948742cbaec33e1c34c406c127c2dad5906edb7df08e92b963500a41","impliedFormat":1},{"version":"56613f2ebdd34d4527ca1ee969ab7e82333c3183fc715e5667c999396359e478","impliedFormat":1},{"version":"d9720d542df1d7feba0aa80ed11b4584854951f9064232e8d7a76e65dc676136","impliedFormat":1},{"version":"d0fb3d0c64beba3b9ab25916cc018150d78ccb4952fac755c53721d9d624ba0d","impliedFormat":1},{"version":"86b484bcf6344a27a9ee19dd5cef1a5afbbd96aeb07708cc6d8b43d7dfa8466c","impliedFormat":1},{"version":"ba93f0192c9c30d895bee1141dd0c307b75df16245deef7134ac0152294788cc","impliedFormat":1},{"version":"75a7db3b7ddf0ca49651629bb665e0294fda8d19ba04fddc8a14d32bb35eb248","impliedFormat":1},{"version":"eb31477c87de3309cbe4e9984fa74a052f31581edb89103f8590f01874b4e271","impliedFormat":1},{"version":"892abbe1081799073183bab5dc771db813938e888cf49eb166f0e0102c0c1473","impliedFormat":1},{"version":"b10d98a3178cf39b3cb34a26a1704633126c7306a37120af128f2075f0be848d","impliedFormat":1},{"version":"865f3db83300a1303349cc49ed80943775a858e0596e7e5a052cc65ac03b10bb","impliedFormat":1},{"version":"28fa41063a242eafcf51e1a62013fccdd9fd5d6760ded6e3ff5ce10a13c2ab31","impliedFormat":1},{"version":"ada60ff3698e7fd0c7ed0e4d93286ee28aed87f648f6748e668a57308fde5a67","impliedFormat":1},{"version":"1a67ba5891772a62706335b59a50720d89905196c90719dad7cec9c81c2990e6","impliedFormat":1},{"version":"5d6f919e1966d45ea297c2478c1985d213e41e2f9a6789964cdb53669e3f7a6f","impliedFormat":1},{"version":"a8289d1d525cf4a3a2d5a8db6b8e14e19f43d122cc47f8fb6b894b0aa2e2bde6","impliedFormat":1},{"version":"d7735a9ccd17767352ab6e799d76735016209aadd5c038a2fc07a29e7b235f02","impliedFormat":1},{"version":"4e251317bb109337e4918e5d7bcda7ef2d88f106cac531dcea03f7eee1dd2240","impliedFormat":1},{"version":"0f2c77683296ca2d0e0bee84f8aa944a05df23bc4c5b5fef31dda757e75f660f","impliedFormat":1},{"version":"cf41091fcbf45daff9aba653406b83d11a3ec163ff9d7a71890035117e733d98","impliedFormat":1},{"version":"742be2239f1a967692c4562a16973a08a1177663f972cbb4e1ef2b21bc97c9cf","impliedFormat":1},{"version":"ce92e662f86a36fc38c5aaa2ec6e6d6eed0bc6cf231bd06a9cb64cc652487550","impliedFormat":1},{"version":"bcf177e80d5a2c3499f587886b4a190391fc9ad4388f74ae6aa935a1c22cd623","impliedFormat":1},{"version":"521f9f4dd927972ed9867e3eb2f0dd6990151f9edbb608ce59911864a9a2712d","impliedFormat":1},{"version":"b2a793bde18962a2e1e0f9fa5dce43dd3e801331d36d3e96a7451727185fb16f","impliedFormat":1},{"version":"9d8fc1d9b6b4b94127eec180183683a6ef4735b0e0a770ba9f7e2d98dd571e0c","impliedFormat":1},{"version":"8504003e88870caa5474ab8bd270f318d0985ba7ede4ee30fe37646768b5362a","impliedFormat":1},{"version":"65465a64d5ee2f989ad4cf8db05f875204a9178f36b07a1e4d3a09a39f762e2e","impliedFormat":1},{"version":"2878f694f7d3a13a88a5e511da7ac084491ca0ddde9539e5dad76737ead9a5a9","impliedFormat":1},{"version":"1c0c6bd0d9b697040f43723d5b1dd6bb9feb743459ff9f95fda9adb6c97c9b37","impliedFormat":1},{"version":"0915ce92bb54e905387b7907e98982620cb7143f7b44291974fb2e592602fe00","impliedFormat":1},{"version":"3cd6df04a43858a6d18402c87a22a68534425e1c8c2fc5bb53fead29af027fcc","impliedFormat":1},{"version":"7c0a4d3819fb911cdb5a6759c0195c72b0c54094451949ebaa89ffceadd129ca","impliedFormat":1},{"version":"4733c832fb758f546a4246bc62f2e9d68880eb8abf0f08c6bec484decb774dc9","impliedFormat":1},{"version":"58d91c410f31f4dd6fa8d50ad10b4ae9a8d1789306e73a5fbe8abea6a593099b","impliedFormat":1},{"version":"7ca6bb19f016eadcff4eb8993a37ba89be7b42bdf0dbc630d0b0db34e5fc7df0","impliedFormat":1},{"version":"d8d5061cb4521772457a2a3f0fcec028669990daceea78068bc968620641cd25","impliedFormat":1},{"version":"81671608efe86adf90b9037cb6ea0f97c03bd1ae654d4974e511b682bf7658ea","impliedFormat":1},{"version":"1f129869a0ee2dcb7ea9a92d6bc8ddf2c2cdaf2d244eec18c3a78efeb5e05c83","impliedFormat":1},{"version":"843e98d09268e2b5b9e6ff60487cf68f4643a72c2e55f7c29b35d1091a4ee4e9","impliedFormat":1},{"version":"e6804515ba7c8f647e145ecc126138dd9d27d3e6283291d0f50050700066a0ea","impliedFormat":1},{"version":"9420a04edbe321959de3d1aab9fa88b45951a14c22d8a817f75eb4c0a80dba02","impliedFormat":1},{"version":"6927ceeb41bb451f47593de0180c8ff1be7403965d10dc9147ee8d5c91372fff","impliedFormat":1},{"version":"ef4c9ef3ec432ccbf6508f8aa12fbb8b7f4d535c8b484258a3888476de2c6c36","impliedFormat":1},{"version":"77ff2aeb024d9e1679c00705067159c1b98ccac8310987a0bdaf0e38a6ca7333","impliedFormat":1},{"version":"1b609b28df5d753bb0ba20c7eb674fa93298fa268c9b20f40176f088878caef3","impliedFormat":1},{"version":"952c4a8d2338e19ef26c1c0758815b1de6c082a485f88368f5bece1e555f39d4","impliedFormat":1},{"version":"1d953cb875c69aeb1ec8c58298a5226241c6139123b1ff885cedf48ac57b435c","impliedFormat":1},{"version":"1a80e164acd9ee4f3e2a919f9a92bfcdb3412d1fe680b15d60e85eadbaa460f8","impliedFormat":1},{"version":"f981ffdbd651f67db134479a5352dac96648ca195f981284e79dc0a1dbc53fd5","impliedFormat":1},{"version":"a1c85a61ff2b66291676ab84ae03c1b1ff7139ffde1942173f6aee8dc4ee357b","impliedFormat":1},{"version":"ee1969bda02bd6c3172c259d33e9ea5456f1662a74e0acf9fa422bb38263f535","impliedFormat":1},{"version":"f1a5a12e04ad1471647484e7ff11e36eef7960f54740f2e60e17799d99d6f5ab","impliedFormat":1},{"version":"672c1ebc4fa15a1c9b4911f1c68de2bc889f4d166a68c5be8f1e61f94014e9d8","impliedFormat":1},{"version":"88293260a4744980874bdc1fd796db707374d852b8031599197408bc77563d1c","impliedFormat":1},{"version":"5a0d920468aa4e792285943cadad77bcb312ba2acf1c665e364ada1b1ee56264","impliedFormat":1},{"version":"de54198142e582c1e26baa21c72321bcdde2a7c38b34cf18e246c7ff95bafd18","impliedFormat":1},{"version":"eccffdb59d6d42e3e773756e8bbe1fa8c23f261ef0cef052f3a8c0194dc6a0e0","impliedFormat":1},{"version":"2d98be5066df3ec9f217b93ef40abab987ec3b55b8f8756a43a081362a356e61","impliedFormat":1},{"version":"a2e4333bf0c330ae26b90c68e395ad0a8af06121f1c977979c75c4a5f9f6bc29","impliedFormat":1},{"version":"f29768cdfdf7120ace7341b42cdcf1a215933b65da9b64784e9d5b8c7b0e1d3d","impliedFormat":1},{"version":"2cbf557a03f80df74106cb7cfb38386db82725b720b859e511bdead881171c32","impliedFormat":1},{"version":"520e09c896f218d5871ba109df4fcf006642084cf6e6cd677897f7b93139ce46","impliedFormat":1},{"version":"5718274a266c16d3fbe9cd44c0e591ca981c374904137807e0ee7d601524deda","impliedFormat":1},{"version":"dd9694eecd70a405490ad23940ccd8979a628f1d26928090a4b05a943ac61714","impliedFormat":1},{"version":"42ca885a3c8ffdffcd9df252582aef9433438cf545a148e3a5e7568ca8575a56","impliedFormat":1},{"version":"309586820e31406ed70bb03ea8bca88b7ec15215e82d0aa85392da25d0b68630","impliedFormat":1},{"version":"98245fec2e886e8eb5398ce8f734bd0d0b05558c6633aefc09b48c4169596e4e","impliedFormat":1},{"version":"1410d60fe495685e97ed7ca6ff8ac6552b8c609ebe63bd97e51b7afe3c75b563","impliedFormat":1},{"version":"c6843fd4514c67ab4caf76efab7772ceb990fbb1a09085fbcf72b4437a307cf7","impliedFormat":1},{"version":"03ed68319c97cd4ce8f1c4ded110d9b40b8a283c3242b9fe934ccfa834e45572","impliedFormat":1},{"version":"956618754d139c7beb3c97df423347433473163d424ff8248af18851dd7d772a","impliedFormat":1},{"version":"7d8f40a7c4cc81db66ac8eaf88f192996c8a5542c192fdebb7a7f2498c18427d","impliedFormat":1},{"version":"c69ecf92a8a9fb3e4019e6c520260e4074dc6cb0044a71909807b8e7cc05bb65","impliedFormat":1},{"version":"c0c259eb2e1d212153e434aba2e0771ea8defe515caf6f5d7439b9591da61117","impliedFormat":1},{"version":"a33a9b9b9210506915937c1b109eaa2b827f25e9a705892e23c5731a50b2b36f","impliedFormat":1},{"version":"1edc9192dfc277c60b92525cdfa1980e1bfd161ae77286c96777d10db36be73c","impliedFormat":1},{"version":"ed53f2563bbdc94c69e4091752a1f7a5fe3d279896bab66979bb799325241db4","impliedFormat":1},{"version":"918956b37f3870f02f0659d14bba32f7b0e374fd9c06a241db9da7f5214dcd79","impliedFormat":1},{"version":"cc9bf8080004ee3d8d9ef117c8df0077d6a76b13cb3f55fd3eefbb3e8fcd1e63","impliedFormat":1},{"version":"1f0ee5ddb64540632c6f9a5b63e242b06e49dd6472f3f5bd7dfeb96d12543e15","impliedFormat":1},{"version":"18b86125c67d99150f54225df07349ddd07acde086b55f3eeac1c34c81e424d8","impliedFormat":1},{"version":"2d3f23c577a913d0f396184f31998507e18c8712bc74303a433cf47f94fd7e07","impliedFormat":1},{"version":"b848b40bfeb73dfe2e782c5b7588ef521010a3d595297e69386670cbde6b4d82","impliedFormat":1},{"version":"aa79b64f5b3690c66892f292e63dfe3e84eb678a886df86521f67c109d57a0c5","impliedFormat":1},{"version":"a692e092c3b9860c9554698d84baf308ba51fc8f32ddd6646e01a287810b16c6","impliedFormat":1},{"version":"64df9b13259fe3e3fea8ed9cdce950b7a0d40859d706c010eeea8c8d353d53fd","impliedFormat":1},{"version":"1848ebe5252ccb5ca1ca4ff52114516bdbbc7512589d6d0839beeea768bfb400","impliedFormat":1},{"version":"d2e3a1de4fde9291f9fb3b43672a8975a83e79896466f1af0f50066f78dbf39e","impliedFormat":1},{"version":"e37650b39727a6cf036c45a2b6df055e9c69a0afdd6dbab833ab957eb7f1a389","impliedFormat":1},{"version":"b848c5cd9ba9a70d6933e9bafde26b9fe442bfbeb4bef2427b9d9cf09375553d","impliedFormat":1},{"version":"0f5773d0dd61aff22d2e3223be3b4b9c4a8068568918fb29b3f1ba3885cf701f","impliedFormat":1},{"version":"31073e7d0e51f33b1456ff2ab7f06546c95e24e11c29d5b39a634bc51f86d914","impliedFormat":1},{"version":"9ce0473b0fbaf7287afb01b6a91bd38f73a31093e59ee86de1fd3f352f3fc817","impliedFormat":1},{"version":"6f0d708924c3c4ee64b0fef8f10ad2b4cb87aa70b015eb758848c1ea02db0ed7","impliedFormat":1},{"version":"6addbb18f70100a2de900bace1c800b8d760421cdd33c1d69ee290b71e28003d","impliedFormat":1},{"version":"37569cc8f21262ca62ec9d3aa8eb5740f96e1f325fad3d6aa00a19403bd27b96","impliedFormat":1},{"version":"e0ef70ca30cdc08f55a9511c51a91415e814f53fcc355b14fc8947d32ce9e1aa","impliedFormat":1},{"version":"14be139e0f6d380a3d24aaf9b67972add107bea35cf7f2b1b1febac6553c3ede","impliedFormat":1},{"version":"23195b09849686462875673042a12b7f4cd34b4e27d38e40ca9c408dae8e6656","impliedFormat":1},{"version":"ff1731974600a4dad7ec87770e95fc86ca3d329b1ce200032766340f83585e47","impliedFormat":1},{"version":"91bc53a57079cf32e1a10ccf1a1e4a068e9820aa2fc6abc9af6bd6a52f590ffb","impliedFormat":1},{"version":"8dd284442b56814717e70f11ca22f4ea5b35feeca680f475bfcf8f65ba4ba296","impliedFormat":1},{"version":"a304e0af52f81bd7e6491e890fd480f3dc2cb0541dec3c7bd440dba9fea5c34e","impliedFormat":1},{"version":"c60fd0d7a1ba07631dfae8b757be0bffd5ef329e563f9a213e4a5402351c679f","impliedFormat":1},{"version":"02687b095a01969e6e300d246c9566a62fa87029ce2c7634439af940f3b09334","impliedFormat":1},{"version":"e79e530a8216ee171b4aca8fc7b99bd37f5e84555cba57dc3de4cd57580ff21a","impliedFormat":1},{"version":"ceb2c0bc630cca2d0fdd48b0f48915d1e768785efaabf50e31c8399926fee5b1","impliedFormat":1},{"version":"f351eaa598ba2046e3078e5480a7533be7051e4db9212bb40f4eeb84279aa24d","impliedFormat":1},{"version":"12aeda564ee3f1d96ac759553d6749534fafeb2e5142ea2867f22ed39f9d3260","impliedFormat":1},{"version":"4ce53edb8fb1d2f8b2f6814084b773cdf5846f49bf5a426fbe4029327bda95bf","impliedFormat":1},{"version":"85d63aaff358e8390b666a6bc68d3f56985f18764ab05f750cb67910f7bccb1a","impliedFormat":1},{"version":"0a0bf0cb43af5e0ac1703b48325ebc18ad86f6bf796bdbe96a429c0e95ca4486","impliedFormat":1},{"version":"22fcfd509683e3edfaf0150c255f6afdf437fec04f033f56b43d66fe392e2ad3","impliedFormat":1},{"version":"f08d2151bd91cdaa152532d51af04e29201cfc5d1ea40f8f7cfca0eb4f0b7cf3","impliedFormat":1},{"version":"3d5d9aa6266ea07199ce0a1e1f9268a56579526fad4b511949ddb9f974644202","impliedFormat":1},{"version":"b9c889d8a4595d02ebb3d3a72a335900b2fe9e5b5c54965da404379002b4ac44","impliedFormat":1},{"version":"a3cd30ebae3d0217b6b3204245719fc2c2f29d03b626905cac7127e1fb70e79c","impliedFormat":1},{"version":"1502a23e43fd7e9976a83195dc4eaf54acaff044687e0988a3bd4f19fc26b02b","impliedFormat":1},{"version":"5faa3d4b828440882a089a3f8514f13067957f6e5e06ec21ddd0bc2395df1c33","impliedFormat":1},{"version":"f0f95d40b0b5a485b3b97bd99931230e7bf3cbbe1c692bd4d65c69d0cdd6fa9d","impliedFormat":1},{"version":"d9c6f10eebf03d123396d4fee1efbe88bc967a47655ec040ffe7e94271a34fc7","impliedFormat":1},{"version":"8dd21a3054ca0c046840c308b014aec4cc5be0824a2504e365c4d499ea206ba8","impliedFormat":1},{"version":"380b4fe5dac74984ac6a58a116f7726bede1bdca7cec5362034c0b12971ac9c1","impliedFormat":1},{"version":"00de72aa7abede86b016f0b3bfbf767a08b5cff060991b0722d78b594a4c2105","impliedFormat":1},{"version":"fdf949030336b31644def7e6529d500301fb2b235a51691de84c36ffdaf8a2db","impliedFormat":1},{"version":"5208bf3184136d545f7a68a3991f68f15c8319ae35a86a51c93c9bc7cc04b6e6","impliedFormat":1},{"version":"4f5bbef956920cfd90f2cbffccb3c34f8dfc64faaba368d9d41a46925511b6b0","impliedFormat":1},{"version":"dd7a3e1f2a79a6fa8e08b00c8f9095b6102b814492106a62062c845c3696975d","impliedFormat":1},{"version":"fd53b02b51f3b38b6c57bc7a2af7d766d9b0dbbf7376d9ec5027339a478438b5","impliedFormat":1},{"version":"7b7f39411329342a28ea19a4ca3aa4c7f7d888c9f01a411b05e4126280026ea6","impliedFormat":1},{"version":"ba3ef8ea20ac0186dc0d58c1e96ffaf84327d09c377fd82f0ae99236e3430c3a","impliedFormat":1},{"version":"d66e97aa992c0fe797878bcad6257562829582f5f3a2842df71e613e60f7b778","impliedFormat":1},{"version":"a86492d82baf906c071536e8de073e601eaa5deed138c2d9c42d471d72395d7e","impliedFormat":1},{"version":"789110b95e963c99ace4e9ad8b60901201ddc4cab59f32bde5458c1359a4d887","impliedFormat":1},{"version":"92eb8a98444729aa61be5e6e489602363d763da27d1bcfdf89356c1d360484da","impliedFormat":1},{"version":"72bbfa838556113625a605be08f9fed6a4aed73ba03ab787badb317ab6f3bcd7","impliedFormat":1},{"version":"d729b8b400507b9b51ff40d11e012379dbf0acd6e2f66bf596a3bc59444d9bf1","impliedFormat":1},{"version":"32ac4394bb4b0348d46211f2575f22ab762babb399aca1e34cf77998cdef73b2","impliedFormat":1},{"version":"665c7850d78c30326b541d50c4dfad08cea616a7f58df6bb9c4872dd36778ad0","impliedFormat":1},{"version":"1567c6dcf728b0c1044606f830aafd404c00590af56d375399edef82e9ddce92","impliedFormat":1},{"version":"c00b402135ef36fb09d59519e34d03445fd6541c09e68b189abb64151f211b12","impliedFormat":1},{"version":"e08e58ac493a27b29ceee80da90bb31ec64341b520907d480df6244cdbec01f8","impliedFormat":1},{"version":"c0fe2b1135ca803efa203408c953e1e12645b8065e1a4c1336ad8bb11ea1101b","impliedFormat":1},{"version":"d82c245bfb76da44dd573948eca299ff75759b9714f8410468d2d055145a4b64","impliedFormat":1},{"version":"25b1108faedaf2043a97a76218240b1b537459bbca5ae9e2207c236c40dcfdef","impliedFormat":1},{"version":"28c03de15ec7540613779e3261fe81618d4c349c018e81186dc0f33d6e119c3b","impliedFormat":1},{"version":"3c604a9f1d21f84dd286d0b02ed8950e19713db490b44c20da7e64a20e55d0c2","impliedFormat":1},{"version":"3d9fb85cc7089ca54873c9924ff47fcf05d570f3f8a3a2349906d6d953fa2ccf","impliedFormat":1},{"version":"373adcd45da66437ea212398d3f3c028979a0a2ea45da631764653a62fa77923","impliedFormat":1},{"version":"db08c1807e3ae065930d88a3449d926273816d019e6c2a534e82da14e796686d","impliedFormat":1},{"version":"9e5c7463fc0259a38938c9afbdeda92e802cff87560277fd3e385ad24663f214","impliedFormat":1},{"version":"ef83477cca76be1c2d0539408c32b0a2118abcd25c9004f197421155a4649c37","impliedFormat":1},{"version":"93962f33d5f95ebfe4a8299843b6a76d119e45d0e16ed8550da2667dbaf1928d","impliedFormat":1},{"version":"3f0997c4d9dc2ba4b6e069ca70f54bc2207f496631ff8a44fd99b9bad67a84a0","impliedFormat":1},{"version":"2f0f0c0aac4234f866a40a66c3e2a01756c9b93198f546c60beaa64bcc6da95c","impliedFormat":1},{"version":"5645b5782f36293cdb3f0a129dd24c396c87ba6fc215def42ce0448e4bebeb9e","impliedFormat":1},{"version":"78f6a5a6d3bc9fc8554b25046db35b6d338d028484400fa04a226c5226eb4f45","impliedFormat":1},{"version":"1df7dc6ab774ac73be75d5788a724a8f2294d0527d257b7f086d1bee340986cf","impliedFormat":1},{"version":"a944e24b25527b44fafff67d7e1038c704306fda7e655382ba7dad0871ec70c1","impliedFormat":1},{"version":"bef348ef12bc0c368abcd4ba4a46cf48dc84679b265f0fe8752aa25270ce97e4","impliedFormat":1},{"version":"df7ec168ca2e4847bc90a57b813c8a0cf9609daf38bfb9d488db7edb7f74c9b5","impliedFormat":1},{"version":"a2b93a57c516c75e604f694e4fead11b71bf16352edac9f38aa7831333876b7d","impliedFormat":1},{"version":"dfc0fae1c0ed3f71dbf79d9dca1b1e8d6fbc26adcbe7d56577ee10d4b8e3fcd1","impliedFormat":1},{"version":"e43442b9f2f7c3b49c22f09ab7fe07f29a31cf0711f72cb5cc8198746ce004ca","impliedFormat":1},{"version":"b6a475edb1b080fe58ffaa50d672126612a8c536e940b3f7cc11a15c75758d7b","impliedFormat":1},{"version":"274184f91c17faaea7b9e1671e52eadb75444f6d1aa6b44e7c81573e0bddbcc6","impliedFormat":1},{"version":"3baf84a638667601ee13d9dfe0fa99f353331436578ecd70ffce93e11ccb374f","impliedFormat":1},{"version":"102bf558d8b0cefe17368ef277689ec77b82a5349fa3f6bf465bf53ed53121fe","impliedFormat":1},{"version":"669bf6064fa08699786182ec19678fefe17a0590cccb35e6b3ecadf7735bd015","impliedFormat":1},{"version":"1db60f08679219a09bf0e9ebf4e5a91c1f35c84b40f3329bd93ad9332be556bf","impliedFormat":1},{"version":"15dbe6ce66935c1f9926df889ca0a08c4430b666ac6898debcea0adc36ad47fa","impliedFormat":1},{"version":"03515beeb4f5e6858c23b9455afefdffb5cd47a525f5b2e4cb00cd5c06c0e62c","impliedFormat":1},{"version":"8216f59c279cf432a8a66f6fd73c3c54d118aec82b7e3aba645e3e8007ad1b83","impliedFormat":1},{"version":"d09a7550d9ad3fc8a5809e0f7f903378fff314eb246a68d9e9aea649d8eff025","impliedFormat":1},{"version":"d9061115b4192c52f99d5066ec91cbb6224345b623034965d5855d7d763f296d","impliedFormat":1},{"version":"917a52afeaf513d289cafc53c19c1825573d887995be20acdd7bb12425a429ec","impliedFormat":1},{"version":"8215cdc97dddfec6d1441d2766dd7f9281efbab65924bd056bd9687e128eb970","impliedFormat":1},{"version":"5bec6d38ed4ae1380ce23dec5a30499a7820e00050f5d8fa2ab52ddd36bd867b","impliedFormat":1},{"version":"b76cba0aa74ec977479930f779a36e890fdc2d13964aed239895838be4425a96","impliedFormat":1},{"version":"60ee8194bc8fed1cb9fb12d54bd8816732b85217d3faeba5eb1719b8fc1734aa","impliedFormat":1},{"version":"e5fe59d781b28e3686f7e260cec28fb25c52f02692d0e59437f6e65672fc36c4","impliedFormat":1},{"version":"de3648f0192036c46b0313af3dde52be9fc93ce1cab5a79d0ffec1f4e3d4e2f8","impliedFormat":1},{"version":"dad49cebf65104c23f67dc31f394d8cb356a604c7146994f4d711b4838a37d43","impliedFormat":1},{"version":"f851a5f903d8912a4db5f60aff0638ef398756e5665aebb97f589977695fec56","impliedFormat":1},{"version":"3f8fec494776c860f8e0cf490ede6f9afddec3e8663f4001ce2a101ebf7ea796","impliedFormat":1},{"version":"11e78e95120bc55e0ea18e37b67c5e27b96409518c509f90ed5002107b528e64","impliedFormat":1},{"version":"1a70db46c17bb7fcafcc991e1717ab94b78208c9d7b18c6e79f4227734bab841","impliedFormat":1},{"version":"18a9a51df44b3c9bd293c23f617090e4dedfcfba7ab27fd33d206e15f5c0001b","impliedFormat":1},{"version":"a2dab2f35e2c669ae708f5a5d360a7aae5b11565dfdd90fe748848922b4a8c85","impliedFormat":1},{"version":"24b8d7275fd4ca5fd5401095c62d4b07cd085d55509368f79f5994b2009cccea","impliedFormat":1},{"version":"7c7b49e40da80da0e5e015c1911b2836179232d4dd98be2c094f338e04ba0b6e","impliedFormat":1},{"version":"746c0ce00badeb9f778868aafe4396c40761a69fd54b3148afc8b37d047d873b","impliedFormat":1},{"version":"fab3bcecef5082b095979ec056c8f2fa4e31ed91e3f259ef6f9621323371acbe","impliedFormat":1},{"version":"6b82d98d1e1b78337186011496c0175281aac57dd34f877f339dedc135a6df06","impliedFormat":1},{"version":"5391f9721dfc92f337dfccc3eab4e23265c7f3668367dc97dde138e56a62e215","impliedFormat":1},{"version":"3052bd27bc371e5d61887a85b6f23151c7bbf8f801a3d521d35a971f0d9b0e1b","impliedFormat":1},{"version":"a27ae33e8f2563aa6fc853c5f5d8d80d734ef7ba9f2e2f4a110be8b3e3cfb870","impliedFormat":1},{"version":"ab1d0382851564c048a263ee44a48f20c724c59696cc97858dba17402d402cca","impliedFormat":1},{"version":"604ed425c45aed8fae34aeecfdeefff7eed0563359bce8baa068545e6cb0d235","impliedFormat":1},{"version":"0c9f8d2ca427004ee5a8f08464e7086b897a22cd586fd718988e0a7f287ec3c6","impliedFormat":1},{"version":"7eb4277ce0b3094c105c2d72a6f348255c851a5c6bc45f97c6418d3d4883a3fa","impliedFormat":1},{"version":"76c0591d5a59f0e9c33bda36ee8ab60bdef71d7b0f03be065010e5aaa44037a5","impliedFormat":1},{"version":"8cab7683337e440accc4c005b9bebad0336ff14ce2b1c592d8a0341ec33367e4","impliedFormat":1},{"version":"d0a965bdfdb6a6a8f7b04997c23079e28f3cea3a27c8e577103900e09487f9fd","impliedFormat":1},{"version":"754132fe6044269fc1af78408c5758d3fe26fdbf508718c0d5ff82c03c978675","impliedFormat":1},{"version":"d55d49516f0890085a63ee2b49e0dbee04e11506600a1dfd51b5c2d76661c9dd","impliedFormat":1},{"version":"c7b2cc6a533df8e99c2417d3959b012169c975619ef9331972fcd4b1766f4198","impliedFormat":1},{"version":"d68a447e87437ba34c27cdbfb59ae1af3a9ee8111c02e4585b70b074f9396934","impliedFormat":1},{"version":"f6717ce65b9ea9c85912e617810c196391b30d460ee8bfbd57e41fd9b93f57f5","impliedFormat":1},{"version":"7c7b7e252e1c958ae44c6f78d507fd3c55a2b0c66e26c7ccf535d2d20ccc150a","impliedFormat":1},{"version":"8c9bee59cf478fe07c4740daca80aa508ef54688e9f021a96d17a14ac60e31ac","impliedFormat":1},{"version":"9b90af66ca3f6844250d2b731aceee869991571a095ec9a7259619520a305f3d","impliedFormat":1},{"version":"4149a3671c4712052252dba067f128ba9d085bf1a66e1d7c339ada9c3f0e2fdb","impliedFormat":1},{"version":"16b1adb96e04923703236245679ecc8aa2749980a24391cd7a6a9f793b460119","impliedFormat":1},{"version":"67fc8c4fa5dc0abf1ef6d3ab348a2c43be354d0b29aa04a2f16cdc1525e12cab","impliedFormat":1},{"version":"74240832859d68a0211296b55c8c47b18e37e36872142157fccd0a12b6df4228","impliedFormat":1},{"version":"a94bb7523194a2dd872d493ee97f63fb0454d6e2856f9a8b67011b4bb06a4bb4","impliedFormat":1},{"version":"dcb180cd664f848da2c40f98ee75e84989e9d9f46b513fd331fa4999971c182b","impliedFormat":1},{"version":"83d83ce5d0a00b88ede49cdce3743654a4ed831d4b87e7511a0b4844cd9252f9","impliedFormat":1},{"version":"d93846e922ddd54f9dcef91e0d742007aaf3c01bd511e5aaa019ac2c02c4cea9","impliedFormat":1},{"version":"af1f935833138b708676aa5716e4a2b30a1b9b431033fd27ddcebca7100bf5f0","impliedFormat":1},{"version":"ee104fc3be3ffda23a66e638167c346ef853b33b5083ce7e0a150a6b41b5479f","impliedFormat":1},{"version":"e2b3e47db37188e41c6fb3e2a3fcd48527a7aaa690e4d279474cf345bd631116","impliedFormat":1},{"version":"d932ca6ac75f4c41053b94dfc713d3f58fc7419dbe2a76cb591cf83c03e05375","impliedFormat":1},{"version":"5f48cead1e6d7250daefc2f31b96481f209f4921b7bc9f04b33542327140dd80","impliedFormat":1},{"version":"15bd5b96b8d796e79c7a4c4babf4bd865c24bcf4093dd2c53ba496bd242e1f3d","impliedFormat":1},{"version":"69dd472a6f506ab72b0b8f7107288b349dcaf76f30b829639c74f70cbc71011f","impliedFormat":1},{"version":"d64a3f0853a570b529d33949dccd64dd6a6f8e9a6869c39aa8cddef77ad0259d","impliedFormat":1},{"version":"98fc6830fbedcf0ef5b1c621fcf88dd4a48d1a5e5db769946e209df3aa085098","impliedFormat":1},{"version":"e95cedc21ce1e44567ca69520c3fa03e45be7b4179e9c8d2e074232b8fb0b35d","impliedFormat":1},{"version":"399777df73e6232a296fc530b8c818323ade7259b03bec7ea51375b281f7294e","impliedFormat":1},{"version":"cfe0fca98caccf52574306b086998c8a2f4d0421ee5c846a0e6ea7b62c45641a","impliedFormat":1},{"version":"3dc41e9e459a6f6753d69aedf535a5b8d0fa389f25eb0e581727ff64560d8bd9","impliedFormat":1},{"version":"619b6f08f7e95a0bd6ff85621de92d24f65c2f2dc4a109dc78ae1939540b145d","impliedFormat":1},{"version":"ca9a6449ffb4ad480984c051c2fbb26087f40a2fb93fbe03052fb3d81c44876b","impliedFormat":1},{"version":"276ef457a9533ca700bdd152c88cfd1ebf2b468da7c535d9b4fcde96d9869f19","impliedFormat":1},{"version":"6ed7cc71d4668957e00e622ec36718d7de93f8b2bdb764bdeb97d23dc463ef06","impliedFormat":1},{"version":"354cc5f6ed65fe2ff6fb8b117716eff61275ecb04e637e8e9798dc3222154f14","impliedFormat":1},{"version":"c22a75475a993a409f4fb255b359587b6d3c62585008631f9e748f77c9c949a2","impliedFormat":1},{"version":"263134d9d5993987860b8bd7af82ded88d0330f50426600de4500d734a6beaa8","impliedFormat":1},{"version":"45f46d363e85c5a0d84b4430ccbc13f479660b85412a105f7dc7b4259b5ae574","impliedFormat":1},{"version":"3d8e9cb24ac960272358cb19942678dfe3fe9d8c237e72aa5d336b58d53dc9ac","impliedFormat":1},{"version":"85ee8f20aaf08c33903ec25df9219fa488cdd2fe37a400a8dd8103c7fc3dbc07","impliedFormat":1},{"version":"37290e84fde86f35f7aa0cfe306b085e90e2f349ef859f02ac54d8dc149074a0","impliedFormat":1},{"version":"515f1ccce6cabcf55b0bcdb4cab779a7c438221e2ef935527593316186d12e16","impliedFormat":1},{"version":"eae62192d1b137aaf1b03bda424b03ed72000481d4c584b9eafb0f2fc8b9cc2f","impliedFormat":1},{"version":"a025415e5526fb04a20f05979126721681f317a01f3341853e69490cb4bc44e6","impliedFormat":1},{"version":"ad2ed280e2a994ccdb9f5e1021c7cc27fbb4344bcea7dff819c7e3486b48f149","impliedFormat":1},{"version":"fd2caaf40cb9b030fe1c79f6fb1190341c1228d1ed15bd30fc32accc5319c0fa","impliedFormat":1},{"version":"08ab867725d9790c6e9fb013d090966def2173af60a5d30a76c38b0aa9b18d3c","impliedFormat":1},{"version":"ef3e33fd47b06c910ef5e22644348ae472e375dada57101377dfba2471bf14ee","impliedFormat":1},{"version":"c9090788cab814e2a3e1e4e40d6277d9546062522488238d6662907008357ef3","impliedFormat":1},{"version":"3fbde796370d305e3feedc8f095d60ad27984d5e83c4a4fec9a8b0c6aade4977","impliedFormat":1},{"version":"b12225e53b8475702d06e223104b29d1b89d6853d4aaea1bf3af8d6728cebfd8","impliedFormat":1},{"version":"0601b30571203b3b772322fcda631ab43d17fb291d93b33ed32bb303f0cc8629","impliedFormat":1},{"version":"01cf8d1d4314d15b2d1a254b3f7bd1b0180b3e5b3a519131773c41d7640d26b5","impliedFormat":1},{"version":"9821b950ecfaa879470f8777fb5d6477c4cbf51535e75a5481f580984bdf1b00","impliedFormat":1},{"version":"b0b4b43979a1ee3fcdc7a171f4458c9829e44e0dc34825ab0b8ad17678108a9c","impliedFormat":1},{"version":"4cf4a3d33ef2ab41bba5ba8353320534225bcc41298e352195b48f3b1dd590bb","impliedFormat":1},{"version":"f2af499d4e77b209916282c0e89afc19f9badedeb12438ae8fc8deda7c26f79a","impliedFormat":1},{"version":"b89874c3f3a851d840e2a02fcd50f37531468f64236a6698d7b4e45921cdae54","impliedFormat":1},{"version":"f08bacdf8a2d9585656a106f70e39f17f4493e57b27d74789508783b31059d0c","impliedFormat":1},{"version":"39e52f6556dfd29ebe4c27cc80dff0e1f39bc4aee15e9f2d7e2566d6305ae489","impliedFormat":1},{"version":"6dc3b7c621df1de66372c10590c577cc78b2b8f400d6b73760deab45e900f37d","impliedFormat":1},{"version":"ba55a2c857a7b7be6f1ca56de28e572278102e1c4f0c0adb82fd7189a1f72087","impliedFormat":1},{"version":"75633295ee912fc9bc2cc97c6d49467194d3a7efd508299fdf49d3150ce5d0f7","impliedFormat":1},{"version":"6389044fd4b1e197f2909735cfc4c9c36ab60997765211e4729d3eb084514a14","impliedFormat":1},{"version":"a249e0267f67aa9d17a34d4f6f66ba497c35f4794dbac7a9562867f9058cc94e","impliedFormat":1},{"version":"bc27229d3ead574431746469ac795fe2d26f92d8c17bfd32c6b7d5a87ac21d40","impliedFormat":1},{"version":"a59d770774302bfbb714d8efdbd2f1ebf0ebeac394d4691da865d91e1568b21a","impliedFormat":1},{"version":"e7a01b1ff34b58ba4c32ec27926e968545a788bd3842370dffd82f7ed53880c1","impliedFormat":1},{"version":"4389d61584635554575e08bbc742c9f9396b014d4020c529ee2e0fa6ea33e0da","impliedFormat":1},{"version":"ae35726394b78565c1e31596327b39ef093f10553a9d93211820430e3eb12f30","impliedFormat":1},{"version":"79e2b7c326f5597657beec5b7fde02230212c4e90387fa2ee786c2706c98381b","impliedFormat":1},{"version":"2344010e666a4f71021b4daeddb495a7006cc37193052f37ac3ffd4057347f1a","impliedFormat":1},{"version":"9883753dbf22048978896802ffa68c45979fcf1a733c2d2c8d5b0af20fafefbd","impliedFormat":1},{"version":"140f114921466842827a6e6b9bb2e685660265f32704824842e781cc6db89d6a","impliedFormat":1},{"version":"5ac147fb256db95d00eed0057967e11ce2b7760e46ef1cf465688ea24b6e336b","impliedFormat":1},{"version":"a256fde44cb4caa9c777b1bb241140ac145eaf1e479f8dbc4a20dc88d99520fa","impliedFormat":1},{"version":"3942de1dc8901b3d0bcb247085e575a9ecc2478995b0e7c95b7633a4fa0710c3","impliedFormat":1},{"version":"63d3bbc2250a9c1c75e76189c7189d377bd373aca084df9e837e3f0cc56301fa","impliedFormat":1},{"version":"44089c1eac8a3c20895d837960e7beba59f1d1088070235e51e21eb8caf6dd1e","impliedFormat":1},{"version":"0d52bcbc2d3d7f47943e26ddb6c4684aa891613dbb637e060306e3dcfbd552ec","impliedFormat":1},{"version":"573fa9e2ccddd27806fa0f9b4d76114a5ce7b9c9f3105571c43b377a8282ae3a","impliedFormat":1},{"version":"ea3da74c3e88e818a8f7974f57f9c0b921b6b41e40e1f02857a4237b8988ce3a","impliedFormat":1},{"version":"371017fd09598f4baff5b75c567e5138881371de3ba15373e76e3afda6c144b2","impliedFormat":1},{"version":"e67b317f7f4c1d652031d95101b24e9308bb6632af012c3c0d36d0d5f530b681","impliedFormat":1},{"version":"0fe44ad59c1fb3d1e50bf08664fc0935e13b0c30c4151bfc755849bcf1d8606f","impliedFormat":1},{"version":"e297d939c9cfac7759ecd817c6a9b47daa8c8b0b2498ad580f0676fcceba015b","impliedFormat":1},{"version":"6b08e3337d3f7a7b750628dec75bbae297ab9f6a241ba61c5ac51e33e4c321f1","impliedFormat":1},{"version":"af5707944609de999aa103f481c68cde34d99059236d55e896d2f53ff584bbe7","impliedFormat":1},{"version":"b9b1008d26fd9c55d66a2f0021a96a4c673e631c448ce73d37b75e8213866cb0","impliedFormat":1},{"version":"79d53bcf828132e443efc26ab5ea14b46e8da033c50c535b18950851bf46e3a4","impliedFormat":1},{"version":"26361031b7d8c04e90cc69d25e8234d7efb246b363b301a29f807a6a0526478d","impliedFormat":1},{"version":"c5f76a999743e5e03a7d311876ab5ba8e3eb0a6ba9ab549f57ee58981153a31e","impliedFormat":99},{"version":"637d1579a6a5abcd1c66e8fa2eaad33665d3e7623f3f9a0ff417cf7b4b48aa62","impliedFormat":1},{"version":"2620da3a2a92c6e732bbec8a0c5780ac4883364a69dc401eb3ebf4a9b7289b83","impliedFormat":1},{"version":"df40a4e649303feb4cf654e1aa1bce8ad636ee3baa5a19bd9ce6721b9c15c81d","impliedFormat":1},{"version":"f71d3bf8981c88cbbb4bbc4f03b8d59fd1fa2fa05facd33e896e3fbc3eaf5b0c","impliedFormat":1},{"version":"7f6336d3d4e26d3767a61011da85d8f87e730b37dfbec75826d1f8cf8672459c","impliedFormat":1},{"version":"274d8c8bfe030fe6beaa4138a1fb6d8e415646f203c8082bca2bcb05ba3bfb2f","impliedFormat":1},{"version":"095c09bce79ffd9a72b151f8c7141d3dc26431d66eaeeed801a3578032f94ba7","impliedFormat":1},{"version":"9c9f786ae50f360045e3b830851797d9776ffc6c5e80ca24290be9ab677a111e","impliedFormat":1},{"version":"77881c56ac351b035b825ea663519286b6741956c20269c7024e2dbc0197d18d","impliedFormat":1},{"version":"cb59a36e74dabb46f6665c207726d2e8c9a3830e984971daa4dbeeeb937c8a76","impliedFormat":1},{"version":"19d94c4070065d8c90862591f32ad30dda305bc6152c2aeee69a5df773a453ea","impliedFormat":1},{"version":"15f352860078ad388aa61a4521eacbd0f92d760eb0e37630f6d283c2c28af354","impliedFormat":1},{"version":"44a0f94cfc395675ae8b3885086511a1839651cb489ebdf87bdf28247d29a16d","impliedFormat":1},{"version":"f28fc3d405e388904cd977a7ddce5a51a9a6d3649a49552cdeeac9c76bb25503","impliedFormat":1},{"version":"296b35cb5bcce1b804f498b6fda7451f8ea0e8cb429c756904c72c2c91e25531","impliedFormat":1},{"version":"e8a112d3b8b9813ed17fa006b7a1956cedaf3815f4cf51384ceb2854288a4dfb","impliedFormat":1},{"version":"46cefd63181e6d876878b34ad3b91902f2c1c1fa276a943694af0599f031124c","impliedFormat":1},{"version":"70a1e1be28ddfd8d3b255659ebde5563c52905ae6e4ea7474021cedb36f7d22e","impliedFormat":1},{"version":"b77b6311babfa69decf3b7cccbf088e538aaea504f4cad4b4b841af2689ac011","impliedFormat":1},{"version":"b2dc35c6e03b2a395a1d1ea0b62bc59dc271a3e75c566d6c51a8a4fcd54f910c","impliedFormat":1},{"version":"033cef0aad2bb8fd84e0ed77a10993e93e2dbca0f407ce80b8e89bdcdcb7f896","impliedFormat":1},{"version":"865d9b81fd3b2102f65fe9e2e843776b558132d250a926a16b38aff9e696d6a5","impliedFormat":1},{"version":"b6fffbee1aed5dce3a2b28ba9ce570a6121bdb5a34faba58290efce589cb6754","impliedFormat":1},{"version":"d4c99dc22131b1e65f84d19240e325421bc19dfcc08f5ce088b335d4f1fe34f4","impliedFormat":1},{"version":"57fa0095c2859094691afcd8349073e1147d306c65b287efa0d75b42588553a8","impliedFormat":1},{"version":"84d1bd0e6c584c23052096ffcc6f1a8e14f7f1ca11d4f525128b2c4bd893c7d6","impliedFormat":1},{"version":"7a2dece5296b8d1801c70836cc77e08c5ccf9ce9133de7834f80cc35b606dffc","impliedFormat":1},{"version":"f8dbafc8d21974edd45f290a6a250aa956f0691658539e0d45d4ce36e661c0a3","impliedFormat":1},{"version":"49b67b3a1c43f0c7bec6d4268d5fb93dd590b8b75c9eb3da52e387b180dd1c9a","impliedFormat":1},{"version":"51f28791fbe5e70fdb9c91d5d27b43e56517c36bf08b83686f62d134e5d6716f","impliedFormat":1},{"version":"088358ebbc20cc651cc64f748206745b75bb1ac6a6571636a0d6020277375a79","impliedFormat":1},{"version":"6a16e01a93b287a8064ae4bacaeb5925ae41509811c1a406669f62efc2dab864","impliedFormat":1},{"version":"34e27bde53149ee00fd355588ed4f1e1e665ff50b15be6476b7f240cccef369f","impliedFormat":1},{"version":"44ff06bf0587621fc5c8f8575621be621cbc4df5b2b80a06a16e5dccb9876385","impliedFormat":1},{"version":"087c591ebb3628e364f84a3be45e1c7ca9b469c120ea15339a6dadf7ebd56358","impliedFormat":1},{"version":"bb2f7056499934287778363c2640001fe2ee160d290f5e7cc08dad9e4029d45a","impliedFormat":1},{"version":"d7df55e515de47bee8c0766b0512f043ae93752b1689a0cce23e6b8a42f18dcd","impliedFormat":1},{"version":"5ee1e4fc68a82343ef3837e99cd1fce0bdbaba1271da68016cdbbae362ad816e","impliedFormat":1},{"version":"22ebd8a51d1783aff423067fdd88fbc96fb17ebadfb117ad2b25d21e4e22cb34","impliedFormat":1},{"version":"4ac88a143c9342db6e1599d9dfe47f0e0f53554dbad2dfca5dbe7ae5952546a3","impliedFormat":1},{"version":"d06fe49a2691f85081f2b7af3996418803fedb123c03a8ebb3c03c61aecbf5c8","impliedFormat":1},{"version":"43d0e5bd24b58b109989af4d57dad2b06bda3151ec27e1ce8fa10b773f433d57","impliedFormat":1},{"version":"ebd1db93fddac1aa841af2feafbd2a5d7bd0637801c2ccf27ad2fff8c9477bce","impliedFormat":1},{"version":"a66f2c7689b5f2fbeca5da73cfdece848a7a2edd300d7830dc80b25e5a831202","impliedFormat":1},{"version":"c64fc4296727ef52b8b97a80379202e413c88ed7e6a7453819f7b518b2bf4adf","impliedFormat":1},{"version":"b93b56199cf18da92bacdf43f8921fd11fc476f3c46bf2cc0f6af7b7aef6021a","impliedFormat":1},{"version":"a4649460693aa20f2b38b7791f8a2f5c845fca83f8757c23e8b493b957412daa","impliedFormat":1},{"version":"aa1e9c8569995c48933afea506f9fd7c0d52baa548cff03848a3ec5719a4d9bf","impliedFormat":1},{"version":"c7e140402ae4daebf77f2865a5cc4dc9b1412e1ae109c88724ffdeb1bf19e77f","impliedFormat":1},{"version":"40914857500f0460eaa6fa424307ef17c35b3b98f609eff38f9f819259b10423","impliedFormat":1},{"version":"b2f515c722221fb526a969837a175a13a61845acfb5596733660cf07d24a7022","impliedFormat":1},{"version":"5ebfabee94730d299111e2b974d66713cdfbb61b594932a6d2bd28e72bba05a1","impliedFormat":1},{"version":"647a9474f10624fa95a211a862084d02c8fc4e649dbc273d43e922d352d98ee6","impliedFormat":1},{"version":"0741f2f6c55083ae6d94604961e6c0c76746d807bd6e315e87746f3165b8df96","impliedFormat":1},{"version":"999bd1e06ec3d1f87e771d6272d4cfa090d7319bb78ddee80873a2c7180b385b","impliedFormat":1},{"version":"75d36e8ab96636bb2ce9b3dbc8bfaccce006a407ddfeab60b9b08fde4181621e","impliedFormat":1},{"version":"2b9a98fde032318fcf4360444686e9bf7959df7361eb308375c37a6dc7a10e49","impliedFormat":1},{"version":"d4cd6138593ee229ccbb5a069d34a66e4340c958370e5e927a51a49460619aa4","impliedFormat":1},{"version":"e46d624cc7dbb89bfdcbd1c86113c3e79cb130c7f6168877d389da9b4471bcbb","impliedFormat":1},{"version":"e7aebccd51d863f0a0c08c5413f5b50c2fa92c7ecfe55ee828a40b8aa7e1813d","impliedFormat":1},{"version":"234921da5ae27a2f3778f1ee259a74c46b1e082a9cd3b531b055e16f1b96c80f","impliedFormat":1},{"version":"09cb2afd863f361790aab536656a19a4f6394569a15f675a07313ce3e892590b","impliedFormat":1},{"version":"a71a47995ee00b1ca76e8b9ba1957cb102decfbeecc18d95a475304b98fdb391","impliedFormat":1},{"version":"6b6578ca4f466032fdd81d47d967a2efa1b1d3f6d8f928f7d75cf99426a26ca9","impliedFormat":1},{"version":"2b4276dde46aa2faf0dd86119999c76b81e6488cd6b0d0fcf9fb985769cd11c0","impliedFormat":99},{"version":"56a37fc13e7a1756e3964204c146a056b48cbec22f74d8253b67901b271f9900","impliedFormat":99},{"version":"5ecea63968444d55f7c3cf677cbec9525db9229953b34f06be0386a24b0fffd2","impliedFormat":99},{"version":"b50ee4bde16b52ecb08e2407dca49a5649b38e046e353485335aa024f6efb8ef","impliedFormat":99},{"version":"0eb4089c3ae7e97d85c04dc70d78bac4b1e8ada6e9510f109fe8a86cdb42bb69","impliedFormat":99},{"version":"324869b470cb6aa2bc54e8fb057b90d972f90d24c7059c027869b2587efe01aa","impliedFormat":99},{"version":"06362d62344786440c6c9eabd8e4f3240d3001c51480e4113072629782a8ecd6","impliedFormat":1},{"version":"fe1b2a01afdff9810a5205ef2d74384b815a8d5694286346f62d3cf1bd987fa3","impliedFormat":1},{"version":"6f9a2f44098f7f2340ff3244a6e2dfc59c3d6bbce3988e6cc8ea8d3a979e09e3","impliedFormat":1},{"version":"a0a6e788cbcdc34a7cfe08731ebdfba8d3f28d5a118727e687bb535f8098cef6","impliedFormat":1},{"version":"14b11a1eb2cc1bd72e21718e6a8e1d112fc2502cffab7f6606ad8338e5cc7917","impliedFormat":1},{"version":"f3576b01b35c48ec5aeb01ce767ff580777ae89c75874131127b7c184fcbde3b","impliedFormat":1},{"version":"835b0b230e615a3169c9fdedfc7ce319b41bb3e1f80db7d86704061aff8fc3be","impliedFormat":1},{"version":"198a3f36621a082b8beaa87c71ee354f1a87afcd03350c03ad9afc151c076035","impliedFormat":1},{"version":"fc963da723bddd0988a0fc5dfa5a48ab1f69c39ce6befe19d2d527c4fef846d6","impliedFormat":1},{"version":"2bc118f5a59cc35119df56a1513e9a16d6f21a160159572cac8cd28ab90e60a4","impliedFormat":1},{"version":"6f5b42baed63275ff1da3231e345ddfef5e2b475b870e50b5712e53d5242de5e","impliedFormat":1},{"version":"283320f9a1580b51e4118b98813e1f5d69deeca076a5d830537230a21f1fb2cf","impliedFormat":1},{"version":"33d8fbdb3ff691d7a53f7b742b3a72f251fe2000470d3262116f4b0672c5a611","impliedFormat":1},{"version":"1b955a96bc1dee61a0421c673a8dae977beb2194cc822f48524b88e771a849c9","impliedFormat":1},{"version":"7bdcec3771afbbdebe314cc60ad960d7845f127db64e85538540c6032c312602","impliedFormat":1},{"version":"9b37fe8dc52ac68bf4c8e52a15254b2ba050095755abd9fdf0ff579569434640","impliedFormat":1},{"version":"40cc0750399520779410d43371ece355213e3632c97582f85b96687b9a1a9720","impliedFormat":1},{"version":"bafa3a2902c31224238427ba4bdc724078a1386d3b0f2ad701ac990d87e25a59","impliedFormat":1},{"version":"850762649df344a1f0be56b02417b7fd0d291fc013832463b401252d4a066a80","impliedFormat":1},{"version":"b599c33e84efe8ef19d4cc8baec02545c3b13e9a6e742fe74b63812a23565d59","impliedFormat":1},{"version":"c30e42955d53ac30915db7efe63d42728f6d5e48dc943e401ce8f590392bef3d","impliedFormat":1},{"version":"598768ca4e74fec68d944b4a7a9632cdba65a174cfc91ac864fbec156a08d7c5","impliedFormat":1},{"version":"761315b2203408afc92f352b89084b778564edbcfd8a8e331d8c00a4df349f5c","impliedFormat":1},{"version":"acd3086fff0acc16aa47bb586eabdf66195f032c4d13a0becf42a9f39161b02a","impliedFormat":1},{"version":"768c5ef2ca6b0ad181ab7555b13e4717b28ce1caf880a1491774d65d2da7ebd1","impliedFormat":1},{"version":"04889d694c35559b1a777d3029ea1e9307bf7f07e16c133028096d09f946303c","impliedFormat":1},{"version":"d94d916d47de77384fd9516972d03907fe196c5180bb2fd09a7797e5ce93a2b8","impliedFormat":1},{"version":"9b95cc27ce2686fdc4cedb5ece9bd8cc70f82ba95923047988eed340884f2290","impliedFormat":1},{"version":"8ebb5e6c99376202c4b4e6c4fb905eba7cb7539077c0a3034960bc93e19e8c9c","impliedFormat":1},{"version":"df1f9f8ab8d2c301a267d8c70bf64682d23020c122cfba9aa3be3293bb04500e","impliedFormat":1},{"version":"2d0ae5a8bb6397a4306c03d85e7ac436b07890d81fa5842c62e89cf0d810b121","impliedFormat":1},{"version":"32b092854679630de093aacbd7c51156edc3102b24f17fbab4552cc4fad9a877","impliedFormat":1},{"version":"064c6a3df6f5f84a5b07bdc2716beace698365006f7403cc1bcd61ea6528a0f8","impliedFormat":1},{"version":"7a524185e188d3e9116e6f961d6fc4029176c0a221e8fabeae9f04608aac89f1","impliedFormat":1},{"version":"6d32dfe3de306d93457cac9836d9a89c656a0617eb95a1079104870511b2d69b","impliedFormat":1},{"version":"718a1f87ca358fba66ddb3410716701cc81003adc441e9e40e679668b7d9df89","impliedFormat":1},{"version":"e6eba37107781fd2a62cb46786c0509c07fd7dc89cc21b1b6ca2e4740759fb51","impliedFormat":1},{"version":"3b5a12e4b65bcc0e6415c36fc4a8368a3f66dd18dc7ff0fa7e27c91a6c7ddbca","impliedFormat":1},{"version":"29e80bfceba601f27829ac9629d745149044f63b87ed891b2a9c4b35e7457e23","impliedFormat":1},{"version":"6fca4b8dd1efdb4f997bf4c57becffd45312b6f777030600a63619666a9fcf1d","impliedFormat":1},{"version":"0a88c1ecb8b7c0775e157c221585d212dee9f014e54a8378e72ede082c16a8d9","impliedFormat":1},{"version":"1db498c9973a6ffd01cd20504b36174e42991586aae0e19961322a0155c94a8e","impliedFormat":1},{"version":"5ccc6e237dfad556def12cbf9f84bc5c1e94702b4aa18dc6999972505182023e","impliedFormat":1},{"version":"8118c802f483b10debb45b5306c02667d5c65574451be70b560efac9978bb758","impliedFormat":1},{"version":"3bc39f97d28b31bb398dd27f9a2861f8d627b77a7c55b03a89549ba41f627faf","impliedFormat":1},{"version":"2b63832175fa9063307150dfbc0a2d12d13a6b16c09a0b98a0ea5def042c5cda","impliedFormat":1},{"version":"695797b3aa347f615fde45f36a2ea1d6585e300bdc638449ea22006b0b022129","impliedFormat":1},{"version":"c7ca45a0b2618fe005938aa83a760e0fd01c7a1910848e56c618198fdcc67e44","impliedFormat":1},{"version":"7cb32e72717cb00d0eeb810c758369e032b32821f717a69f18b208284c1f1a4e","impliedFormat":1},{"version":"03e1487f89a5453b307e339d841baf9aa1cdb907208daf0652ae283f4c2ef4d4","impliedFormat":1},{"version":"d856eb2a877870b84bfadfdcdca1e063320e9fbb226a3e43c488f37bbeae5b4a","impliedFormat":1},{"version":"61a555bac5913f95a70ba03c4f4b9a1a6fd848952414db0cbee789b461bad64e","impliedFormat":1},{"version":"5247db87131b6a5a35bf58c41fc28e16f6c3eca74483a3abeafa66fc582bf81d","impliedFormat":1},{"version":"7ddfd0956433fa94e61c79ba0141db44eacd047e308511b05333f74c91084d56","impliedFormat":1},{"version":"eac167cdbad8ea8143f9a5b131f9a571d4dc72bcd8e27a55078605bf3b150a88","impliedFormat":1},{"version":"6c64aed8127779052d27a86422ab87b97cb0cfa1250e7804b65d516b931e58c6","impliedFormat":1},{"version":"fc5f833dc8a68d152587d18260d5714c58388092d5e72568b188a607e43924c9","impliedFormat":1},{"version":"09cdb8388c30eb5c85aef42c36525f64b908e2ce86434c5628b2e16399d01444","impliedFormat":1},{"version":"81ef937077c0bf467ecde4a37f851e4e8fc883d4ac4c33aa33e93739909edb5a","impliedFormat":1},{"version":"d0089c1f21f2907041849cb625c097d30e9a38c2b0ba5c34e280095d0fe2a6cd","impliedFormat":1},{"version":"3860e9a6ba8dd10a422f7d40a04888eda236f62e571bac1c14102ce021e061ff","impliedFormat":1},{"version":"0d5bcca9de4cece992b2550c927ef8bcc186b5c557d1f5516a86fd7c7920a1b1","impliedFormat":1},{"version":"886d0af9e8537c6b80a02f81e49c4cea7de528ae0bdb5377f8f367d22cd86aac","impliedFormat":1},{"version":"15541a129f98c5977b53a414223ef0c8800a0f0b59a9831a385670054f05caeb","impliedFormat":1},{"version":"84b4906e3617e69f2e89eb56463030133070ee20f6bed2307eab7e1fc80e4fd5","impliedFormat":1},{"version":"04952c268ba2fec5977f78d91932fa55806d46969be7e23a06fc5843131cfd60","impliedFormat":1},{"version":"665b86c34152149f732b195251b3790c2d75b7126fe414e7d9b06590e85f7ed2","impliedFormat":1},{"version":"6f16b918051907a7b20e0e76901cdbcdca106a3534692adf024ad28256858048","impliedFormat":1},{"version":"6be3bca801a5c75eb4c0b4739be1bdd98f616de6664434a34e7cb2915174a8ef","impliedFormat":1},{"version":"0b41c5852fd91c138bc9fa6c81922bf9936fee5a8a80443ddea0747f385dd71a","impliedFormat":1},{"version":"bf6ddb8eaf63c9ad2a75f1f8c6f4ca6bed688997cdf9d095e1e1dd06daed8fc2","impliedFormat":1},{"version":"28a53113c5d2cdd26921be20c2709591c2a94b892b7685ba52d9282df74d6e3e","impliedFormat":1},{"version":"93119e8543d30477698737f87933ec5936777273db5e91076b469bf2d4fa7fcc","impliedFormat":1},{"version":"6f85da996b39f9b780d3e4c28a5f56027f0bdc4a95c7a5cabc9c97b270359bb8","impliedFormat":1},{"version":"65b719d0c65ca3e2dbcb55cd0011bf75b8eb35f9a26690a1f615daadde72c345","impliedFormat":1},{"version":"c724dffc190e0705f2d1ade7c3f060611eb3a342ab6b3766be0ce564466d6794","impliedFormat":1},{"version":"43c3c8c96662bd8cd7a985903ef5de42205bf04fea2ef6a0da6213264ba3651b","impliedFormat":1},{"version":"95146fdfa6e6b507cad8b3f64613e569ad28e8ab4eec8cc635e3b348eb18026e","impliedFormat":1},{"version":"27c1fe6fbec929ae885d8adcfc6cdb0cf34e9926ddabeeb4679c7e1840250284","impliedFormat":1},{"version":"f8d0836f149026ccc242d3b9454ca4781d379891d86d747be69ecd9cf1cd2a61","impliedFormat":1},{"version":"d918bf67eb9ed0492512103b8939667a76ed8a81c8a966669405d50d52b0e060","impliedFormat":1},{"version":"5ef0dbcf0650406475449c5f84982ee401f3ce4d1ada5259db00c918469285dd","impliedFormat":1},{"version":"84f40b3fdcdac181470bfc3abc88372e651f42a51d848d99d57de802a5fb41eb","impliedFormat":1},{"version":"dfc251f05aef5da52339653209abf2d2528648b794cfce0bb53057a3390500d6","impliedFormat":1},{"version":"8df170e5ca5e7bf1e0bd004a69d3bc734a8f211e6322ee4a954c75e3e2b1e923","impliedFormat":1},{"version":"961c3890c28004edd8aa7dff87372aeddf1da987055f45a106433871406e6ba0","impliedFormat":1},{"version":"134b5baba9e9cd3ebeed89ba77324529c2971d82da38963a118a9fb08108b653","impliedFormat":1},{"version":"75c95ece00973f1a62b02deccd1383f14e4a5331ed073e5db154cb752ce363c4","impliedFormat":1},{"version":"97e4ddd31b1bdd7975fef7ab279d31e54af46521c9fef7e4c62df7246064a320","impliedFormat":1},{"version":"5ec8b00d1d11f8257abd6e83e900d88a9e27e3651707000d78b4b156156328c5","impliedFormat":1},{"version":"f85344ec18d06d0bdc9896496732a443bed4e85612d2da8f52c6cc80ab4ddcdc","impliedFormat":1},{"version":"b1a4f40bdbd7faab72d2b68975fd65cd1d7479d3a12cd5e54c050edbeaa7bb2e","impliedFormat":1},{"version":"bdcaeb9b57cb7a0a226458daad96c322d1dfe178662ad5e11bd771ee2c5dd68f","impliedFormat":1},{"version":"7c00a265aae4dcdc077b9effbd906802b96b5226bc2a8de0bd6f40bb05a4c16e","impliedFormat":1},{"version":"aad3d08eb519d6b808831d9f717e81d8dff1bc5536d99b4a3c5473fc8b26f4d1","impliedFormat":1},{"version":"5c8c0bc6f8d0af518dc87aaaed7db876b1d18eb95b10ff3add313482587e4586","impliedFormat":1},{"version":"8c9cd152f35bc2606e611f912f44d52787078c76c9fc3c8cd6872929b0637798","impliedFormat":1},{"version":"a849f2a2a82646bd37ba9c3834e596d83c4fa668fed381dd6aaf127d60722902","impliedFormat":1},{"version":"0fe612176b473c888064f4bb64012b15d31c0c9c85c1f408fea7c4e7adbfb0de","impliedFormat":1},{"version":"094146d9ecaf99bb7fc29a3496d7c062c1475b8aeca2841d2790a80c9ceedd18","impliedFormat":1},{"version":"0fe06c0e28f105f97b56c2e733702da151c927b7ad2bc0d1ddb7dd785cf39d50","impliedFormat":1},{"version":"9e24325e5b7560a9cee65b8a7ae66437664347bed29afbc06137e0297f2a9053","impliedFormat":1},{"version":"7d5245f52669b20a801036b7af35ccd0b74824d029fbcdfb4fea4c743cfb3a08","impliedFormat":1},{"version":"83ae364c1156a128a5424a810fffd9d171ea378079005b1079f21293aaa71116","impliedFormat":1},{"version":"0b4ed95561c7fc7c5dd635e19db0db176c091e1bff4112deb91de7890354a442","impliedFormat":1},{"version":"87eb77f815b106f18f8fcef9c64e5aa8c3d19473e0ad4f60fec317cad5212a8f","impliedFormat":1},{"version":"cf2fce2fdbd89ce14209d697442d8b93bc07dbaa6f8d9c7128abf25f7b078f5d","impliedFormat":1},{"version":"b1f9dfc56c5666891ab36f780d7a356b436caa5e6e9e13a57bcd1582451b0d1c","impliedFormat":1},{"version":"8c3bcc591bfa51b0bede2acc39a100d73793c1dcd1c3de73cb558c7ff8fd4e2d","impliedFormat":1},{"version":"7da78cd965ca1ec3d7ce35ddb80ac3aa449aa8083379ba949a3954e1b75f275f","impliedFormat":1},{"version":"037efd9859bd99adfc052cdcf7fa2e0735b1e467f408d675b57eff978308b754","impliedFormat":1},{"version":"d08d3836dc621640fe49a7e9080dee0d9b97f6ed3bbe7f88eb2a5470ac76d5a2","impliedFormat":1},{"version":"db9b5b1fb5b6262ac098241f3c95ecd14162b1ea7d8133e88193b9902c90a979","impliedFormat":1},{"version":"0f2938aac77bad209857658943bb6466a78975a9933723d44e01e9af7d361115","impliedFormat":1},{"version":"90320bd2323f5eee550a489d6b28080fdea25824bef6051b4fbd41f6c79985ad","impliedFormat":1},{"version":"87f702cb937d327eca520a532d4d4a9479727984bbe3816e9696c959b85bb45d","impliedFormat":1},{"version":"21599e66c92c95c9477b6615d9d6299f86efba2d4370e8b9fc1bc720f19f8e68","impliedFormat":1},{"version":"138136faa1d2a757ca9daac4ba28ea1ccf78997fb88b9d9812a9973a2da5edfd","impliedFormat":1},{"version":"aa80a5573920e685f6596cadb9599a9a95bf9fd66f6b42099814050d7b6573eb","impliedFormat":1},{"version":"4c863f17a9b79c05a2bc31f7298b57632caa221aac7b1d9a7bf32bf1bde40c88","impliedFormat":1},{"version":"a49fe8107cabe8162b9e6afd49faef6ea356eb0d601b3fd1cdb7d7dbb4225c02","impliedFormat":1},{"version":"5570d06cac2d2f5ace1688aabafbd8a9b055da4fb1f9b2e8d7e99c88606a6a85","impliedFormat":1},{"version":"8f5014da164cec4f1e3ea3b9c99191096848d8022ec2823198a1855188ce769d","impliedFormat":1},{"version":"bc15829f674f5b2d9b80dd1f70c42c51f2639f6e791d4c1c4b68a0d3fe3b1624","impliedFormat":1},{"version":"f6b14d235ef38813e577b9e9d71aceb78df8eb318da30f7d3063ef04c2abed10","impliedFormat":1},{"version":"3a318dc56e4d6ce19906e30257a221502dee9e93098c4fb46beccbbc1877dcc4","impliedFormat":1},{"version":"9978a63eac52515366816a16b410d71f90a4e8900162acb4ca9215b76f2fa422","impliedFormat":1},{"version":"30033a24ae44146b647e8aea2c84d51856dcde62870add5df230a27d796ab3ee","impliedFormat":1},{"version":"33d05825e45719f49376995d1819866dd0f9d862f7c3219dd429cd1488efcde2","impliedFormat":1},{"version":"4b859a4d3e2185e22ab2d2ed52c0177939a67b7d4b90210edc13875a8438e2fd","impliedFormat":1},{"version":"04317c46d01f39649647b24a30f74f3ca3a84df6539a9ba3f44b378359328b49","impliedFormat":1},{"version":"0f4b6e6ad4bdc91d3f1d51ff724bcb8f6d70ad7be8a47877b374435162ac50e7","impliedFormat":1},{"version":"e7999757805ca7730c8796eabce3693db1b7195f2cfc9d891a5a22bf9222a02c","impliedFormat":1},{"version":"425db27d592f27e5cd6ebde7449f6524084abd27f1708c386858ac1bf97d1811","impliedFormat":1},{"version":"49ce5bb440fd2121b63e8b439bca3f938016be36f75663768fb6767a705d8762","impliedFormat":1},{"version":"728476e63bcda1ff1a6ae45454f89d0e343dce10e02f687b272f4269c9c103ec","impliedFormat":1},{"version":"ec1cd98780871a6918394f5d1a65890444fa9d2aee8422c54311143c9fcda52b","impliedFormat":1},{"version":"36d51eb7f0dd075e2edc79f120ff6e8d5eda25dfb86bb5886b3036b87ef3f24d","impliedFormat":1},{"version":"f588b174666a77d3f871fb2cea30316f7cdcd59ca9148c721e24315f9d625fd7","impliedFormat":1},{"version":"86bc9ab3bcb4fc16c2df22866b0a0f64bde339b382d527526ebe6cb92b6aa0f3","impliedFormat":1},{"version":"eb03810a18568809259901e2737728372f999e330880bfe7052b80d13615676b","impliedFormat":1},{"version":"19dee02a574e1ead3ad9f7c8321b720d9c727887fd63dbc9b0b91f01386b0f4c","impliedFormat":1},{"version":"090ebdf72416c86118c0733412462c567398da93f517d3cfd97cd919e2264e42","impliedFormat":1},{"version":"ebf2b142ba0777cbeab6e8c2f056abcc2662bca4c5064b9b1b1bd03a992f46f9","impliedFormat":1},{"version":"72ab518e157804db34f49939b3635c6cdb585739d26ca64ba98d7f3e0fc1c2ef","impliedFormat":1},{"version":"0582b30435ff9e8b3ba440a0965a288da33f78783a8f454658d532720d93c7b0","impliedFormat":1},{"version":"dda0f983a92c574b5d20cf5a67b9b23df68ae24dd0836aa97f2631d03ccb97e5","impliedFormat":1},{"version":"c3a01082b6053df1422e2028260f4093005049e397464ed23bc39466feecafd4","impliedFormat":1},{"version":"749944f8007bd777eb35e3f9c087c0cd828cff493ea2714f9541cc72574ab0f3","impliedFormat":1},{"version":"699bab4ea75eb4b52152faa4edc3f456c01a06082fc4f265bbb9c6a52e5f958b","impliedFormat":1},{"version":"32c09e1ecfcdb9337bf2e04448d52429b7154689058f366fc6261a2b4f2aad3b","impliedFormat":1},{"version":"8c514d50eea9e613dc787aa529e1ce54874996c2157b92aed232598f2c50b3c0","impliedFormat":1},{"version":"94e742180c5e32c6e066ab74ba134ce0bb34f4367a9b37ed64320e87387a4034","impliedFormat":1},{"version":"63127c044e6dcb388e50ae9ba7febee7d5960af37220392fc551bc8b301f0ecc","impliedFormat":1},{"version":"1729eb2fcd3bd12fe08cf72266fd7f88698d75af4c9c237235ae1a385645f563","impliedFormat":1},{"version":"3736cbfae05a123623354d1ed19faecace899c362db8ab22059cbfbc556f27c2","impliedFormat":1},{"version":"2705c60e43ccb13b1d1952d807fa6574747b34356ff145b6ce6b425df416918b","impliedFormat":1},{"version":"bea4b2fe46628439fe70cf8884ae15386f9a070f5c36c18c33405f94802c97b2","impliedFormat":1},{"version":"d6b9d3709bca425ceda2fdcdd91b1dfe823ef3a92ee01b029a09bd2b585efb95","impliedFormat":1},{"version":"1e02c721f18ee42e234d2744ee08b5b69ad206c4fcdb97b31eca55cc880de378","impliedFormat":1},{"version":"f359648a230e3b09eeebd086a9045f4bcde21413492f4bc6f0f0fa71daabe846","impliedFormat":1},{"version":"abf49444d7806281cc8fd2e207ba2f907648c713fe9492eeb6c99d2de6cd72d4","impliedFormat":1},{"version":"1179a845e016cdeae7058a3c3cd44257d56740ebd19ccfa7aaf65c9cf3a9a7d6","impliedFormat":1},{"version":"611c98ea642429f3954449db38a966d9d28fc4df64f9639ffdcbb9aa36e9a12a","impliedFormat":1},{"version":"6c3f6300cf66ed5ef36c58134e969616246c987fb05623f8d6c83f7e230da91f","impliedFormat":1},{"version":"0140c8335ba27a27f264138c29992982ea18fe2203c4700729739324d2deb7c6","impliedFormat":1},{"version":"74eeeaac8a1ad64033c0bda3cc1235ef9cd5a28d01b272778d777eb7beeca1cd","impliedFormat":1},{"version":"b2562a59a59a2717021ae25138f3fab6b7d2e235e53df29180fda7910b5c2096","impliedFormat":1},{"version":"5518d8c2dcbdc43c9c20eee3373e1180549e4df4767a8a3b4b70d55dfec63d6c","impliedFormat":1},{"version":"a0f8f6e52af01be903c99f8329d39d248bd5edc504f7ec862a548d6709de50da","impliedFormat":1},{"version":"4f95388cc4b8be42d2b39cb5c6c2a59bc7a5d5667248ddec118af922147c0ccb","impliedFormat":1},{"version":"fb34f3d282c923febd21cf770d7843f8551ca4b34a1d725ff7d680620712bc7c","impliedFormat":1},{"version":"9e8466532555167a58f9831d92ff5bdee391384056ba6561aa469a9d520b5a80","impliedFormat":1},{"version":"2f73554f8f6e14173d1ca37173c589d762b5c0a0e25555845df99e57b5503426","impliedFormat":1},{"version":"a09e34b42390e1a0344eb4e30fb27a88c9bfb54566185d3b35682748ab3abddf","impliedFormat":1},{"version":"a4ab2460fa4a9ce2a35757fd11380f358629763189d8d92cd3357f94d5bd04f2","impliedFormat":1},{"version":"dd353f0d5802b7e2e07be9efd3f913e36ddde9ddc58235f06584e566246537dc","impliedFormat":1},{"version":"6a6a951c0ba0f2b35176a19a8996a1166f925e574e209eecf89798c41de956b2","impliedFormat":1},{"version":"38465754297b45b53bbe3e654ab9ec0765c2b67d7da1159b21d2be9d3bc043ea","impliedFormat":1},{"version":"4115f37f1436b240288156ff5abb4bde910483e32282f525872c72e788310794","impliedFormat":1},{"version":"f6cf6de46ca7f334ba1818ba90c63dc508bb3fddbe0ebecbc5c78e677d4995da","impliedFormat":1},{"version":"b6bb54aeb3dcd320e640a84ef042c730dec827a1862df9fbb783736055e9f80b","impliedFormat":1},{"version":"e60dcb3a5d56b68cccf0d6bb98c60aa697ea6f9adbeb005867a6e3ad1e32faf9","impliedFormat":1},{"version":"00ce17123f6690981ba3a278f44b7814a9cc7d42aeb3f60c971ae6a51a37c5c0","impliedFormat":1},{"version":"f5703ab74bf1cea4dac2f81a7afdd774505827521d7ed94a76c77c89cf0ac281","impliedFormat":1},{"version":"d3c3d571b3f91c6e544ecafe0965a8d77a1fd06dcdd5ee0ee6c6b24b4eb3fda9","impliedFormat":1},{"version":"22375d31eb387aa3b67c8ca275879082ae08de75c467d9b736393f5553452864","impliedFormat":1},{"version":"e83100a75dfb09a0e6b73ea26587deac836ab698689c59a39e9f91675d45d23f","impliedFormat":1},{"version":"f4a526b8949637fd747544c723cffabe6f72007ce530c6d7496b1fe8afd70729","impliedFormat":1},{"version":"17586879ccf720491e967cd56fb085eb10e7c09ff54e37bdbabcf2d821448e75","impliedFormat":1},{"version":"0211c737ac63dbd9720da2a20e8824b781bc4e79ab384cd305e940c10b832125","impliedFormat":1},{"version":"ca1eecf52a09dade7fff2997b736ebb23ff317f731a13dd5d351f2dd320c2dd9","impliedFormat":1},{"version":"e6617c14cdfc166477e31d3ccde0e034d59f3fd7059ee62f4f05f8972a77c562","impliedFormat":1},{"version":"f99d4d104a08536e230de3c8bd41e84e05b543150379922b6c1ad27fb83357d1","impliedFormat":1},{"version":"caed030b8c04a9bbbcbafba4d80d66e2a6e2da71988b4a89517f0392d7c2a75e","impliedFormat":1},{"version":"037644e9dbdd94a0abcf27ea876c21bffb59aaf7c6cda1ed28e5acd15cdd61c3","impliedFormat":1},{"version":"c6d53e72e57283a476ddd7438c46c3e85fa94c6c138f77d938ae4e3be73e6f84","impliedFormat":1},{"version":"fd319f15cfbc8c5769c3e348bee974e57251930a3cedcafaad3da9720e567195","impliedFormat":1},{"version":"9a7a92e25463ca26e227d84b29894fb279f0bff3a9f5aa579f2088da886e5162","impliedFormat":1},{"version":"c42a17777a2dcdea9cadf5646a69be53f1720e88e9d5b8a8bb245dc3c3c12ef1","impliedFormat":1},{"version":"bc12f6ed06b3553cc1710713c99028a7f6ce3559d034c28c94dafbe697008616","impliedFormat":1},{"version":"744ee65e33f2adef0b16ca18f5f8054564e20aad240939013f6a77ef36aee96d","impliedFormat":1},{"version":"711af00b68464254936dfc9f6b1e5ed5a543540fa63d1b2c89caecab8cb72dcf","impliedFormat":1},{"version":"40ffac08a30015d181f9fd1860ddfd0d7a62dff63ded3498824e246144a4a758","impliedFormat":1},{"version":"3a3e09ec678551c7a8c806ad9aa89220fa7a00073e5e01ff99878c145d69fc0c","impliedFormat":1},{"version":"836486568e39d661299a712efa51fde68f40decd67d2d543194780d8f7d75c4b","impliedFormat":1},{"version":"043cb83903bd760b175bf5c389f2b75cd1d277b500d44f7e274cf805ad56ba2e","impliedFormat":1},{"version":"f3db28774395eb5f37a0783a1a2725a95d96165ddf8b2aab8e01a9876262e6a2","impliedFormat":1},{"version":"586656d22cb347eff71a375cd3c0c7deb56690e1d97c688c1c6293bd427d2d9f","impliedFormat":1},{"version":"11bbb15d2f0469812ea87c2f386b89f42277581335d6fe4938e4ad05970844b0","impliedFormat":1},{"version":"f906b794549aff5237189181f9129f69cb32f2a2a596db4a6adcbd6348a03524","impliedFormat":1},{"version":"41f2186aa5576a7b91b9e50d29846f000ceec938e88c3f6de701a8c80884a27d","impliedFormat":1},{"version":"a86e9fc8769e0991485ef4cac75c1f7d95de3a573b4c26bf726f76bb54189282","impliedFormat":1},{"version":"671b7c1e832cd23f099a410795dcaa1b0f6d7918b3e5ad4288fe5f2ca70363ea","impliedFormat":1},{"version":"c37aeeb018203098e573136bd33533aa598827a1ff954d012b1ea5e2779ed4b1","impliedFormat":1},{"version":"5421f3d14a6cc34ad1310891bbcd0334c8f7e6046d9b1ae6a44138100991d29e","impliedFormat":1},{"version":"90216ef6bdb17cf6660c02891b23d8920a3110e34eeab9dfb3af6bc870b54882","impliedFormat":1},{"version":"3da544e2e868ffc280a412f70e3166feb3e532aaeed49bc089e9236eabd1fdff","impliedFormat":1},{"version":"3b6a704d2be44715023552846bff366205322ab5cb41311e81681abb32bd7771","impliedFormat":1},{"version":"c9037a5244dd45009826976e80ca7900bb6d3b737fd00c3048f2851236407daf","impliedFormat":1},{"version":"a8d1a808ef94f4cac920914c98071ca152a832eddb863927c1a8c93c2039b950","impliedFormat":1},{"version":"f168b572534469204094d5d6090f3f4dea231f00cdf0233a17a3287d51336cf9","impliedFormat":1},{"version":"5987bc90cedf31491f60c7c04663ac6dd4056f13f6aad398a0ac4c3e343aa351","impliedFormat":1},{"version":"a257e6a76f44f0a4e93ca3c87f9ed9228bf3a914c268dfd576ac4f846ebc4cc6","impliedFormat":1},{"version":"5f1cf73871b9e11522c6f9430799a05cfe4b6c91770c1b79797d8e1b6b921903","impliedFormat":1},{"version":"3178e24a2bdce6cb5d460618f80006ccaef659c80a76f3091c6f5ea816bb1671","impliedFormat":1},{"version":"871feb6824179e83a9a6be65addedfff1d4852eb3f81a7e77d2befb4c3855da0","impliedFormat":1},{"version":"0814033fb2d08eb0a0323ddfd8ce4cc81cd0fb6f9f21c7f90e9e8fe142345572","impliedFormat":1},{"version":"6b762d13f3e3485b4c998facedd164d34af99130281686e94f47ed8ed1a51604","impliedFormat":1},{"version":"7a084721a0e26fb741b5b383a6f0b8c5e35192bea79312f1e70c07fd4178e654","impliedFormat":1},{"version":"787400c5ff8459a67cdffdd3155170d2df51915291fcb04f8013223bf2b86df1","impliedFormat":1},{"version":"9a74b5844ed0feaca598f1ae3fe35f1b744e7da1fdb38c2c6806d9214be30ecc","impliedFormat":1},{"version":"be6dc42511f3688c9ea8128cf5ff6d837dbd16be9a26ac00494fba083f37be16","impliedFormat":1},{"version":"95cc53af11026e524c5cfda7357ca62d3adcd31e331a1a525706670a1bdd6ce7","impliedFormat":1},{"version":"880c399c8c1d92f38c8deec3843fae22657e4cbdf327a7f1fd25e3cd412a4497","impliedFormat":1},{"version":"2583fae98ef1e5916588f5017d247127c42c81654c0e2c3e7da9e4d510a7c531","impliedFormat":1},{"version":"4d76a55d828081394b7c38d66c2e1af869126b31fbd7b3d9f10a6f514e922bbb","impliedFormat":1},{"version":"65577022fe6b991eae9f7b468b2afdb760a6c6b02330e9b044ea322402c3e374","impliedFormat":1},{"version":"0838212ead569085b5922726e4313e82fb0269ddb6af52eeb751b7ea44a8e427","impliedFormat":1},{"version":"f758d8c5d966ee28c3716e4da245c3b536584f74361c22e9e681bc59f7f8a451","impliedFormat":1},{"version":"bb6f706e06a8d2d3ff0e7f7731aaab4d6b09dd0ea2d192f396bd5473464a66ab","impliedFormat":1},{"version":"fc129b75a043e2ac178293d1580d213d425ab4f73b5f18291daebd40948fad42","impliedFormat":1},{"version":"3cdc38249208e220a83bc40705da8911059365572321d0449312eecd62faaa13","impliedFormat":1},{"version":"1b33a30638c4e1c8fbadb75f1d879b228634be6a12422941b578bc71ba10907d","impliedFormat":1},{"version":"5ef6d0db24eae5f680c47604958fd5797ee0668fbf82edddfe006d8ae75e3ac1","impliedFormat":1},{"version":"c0600f7108e1f3dc58a42595b9bf37837c67d71ca279a55c451f9315ac157f98","impliedFormat":1},{"version":"accdba9e04c62fdd890644ad633eda9d8c31adaad615851e8499ae62432657da","impliedFormat":1},{"version":"9bd7841c330a9c1972f36b3567fcee4254b4ee0bddf67f04a787afe716bf4f3e","impliedFormat":1},{"version":"81e1c99558202a9bd2092115663f87ee834dcd41b500f33481556d2e5088c680","impliedFormat":1},{"version":"01e4586bc6b819a612e4f81b5f3ed5c82387fdddab9d6689b3ba8fcf0fbb5100","impliedFormat":1},{"version":"8b833046a611be53bf060136de476623b6d67f27afc44d667f17a152ec290e2d","impliedFormat":1},{"version":"da8c88b7860ca2c202f9f7eb015ef0f9ca3a02868f73971046a413ae872d4ae5","impliedFormat":1},{"version":"9b8d0d464ac8e9c882f1cef50424b9be7b942c94fe6a8e45431cd794aa76f4c8","impliedFormat":1},{"version":"62a16e3acf8b789e9ed8873d067af558053a231c80920fbef508fbb18c48c3f9","impliedFormat":1},{"version":"5c5cd3d5dc2837d28a64235051b2ed820d069324a83a0fdabf886daefb476347","impliedFormat":1},{"version":"4233b38ff908d3650aa7f558a396a658c389709fb71ea13d7ca1ef733fee0746","impliedFormat":1},{"version":"4626b85c40a665e576632324424a7021b04f28affb4e6a8c536049d6054468d9","impliedFormat":1},{"version":"07849aa54c0d64e27d639283dc5bad6e0470a835cc0deee0053f647984eda66e","impliedFormat":1},{"version":"15fcb6019af09d7db5e897b4ce6719a6676802c408e00fa4d59f74cfe4aba827","impliedFormat":1},{"version":"dfc9c798f90a9e474787e899cff613d659e9c02a9e5956e3595fd06f6118cf77","impliedFormat":1},{"version":"e46c735e3943f3f6756c910ac3d4ff17c4c723c3c106f2d3bc501996433d8757","impliedFormat":1},{"version":"a15c0ffea8fc0bcab41f93ef19517787d88b8451b54b1a628babe80c999fde2a","impliedFormat":1},{"version":"0222e7fbfd57abaf92e64fc15893973f689899d0e18c745ba8dfbe138cec0ad4","impliedFormat":1},{"version":"39997a9c2d25d33c07cb17f5735c362e8d6ecbb2042d5edc58563a6ef7d2d80f","impliedFormat":1},{"version":"b0b093b7609f06929af7fe8dff9d4fc609f01ca94aeae5d2e70632d7dde6132d","impliedFormat":1},{"version":"f44d9171a0c7b3a6d2144d91feb4d52de8b0ac1769c8c166fab438465725b400","impliedFormat":1},{"version":"ee9c754834c432b19721a0e960ce9c528ba5842bd1b6f4ff010763b0c8c034af","impliedFormat":1},{"version":"9b4fc8ef6e05241acd037f64f3257c38e981963ba070303f14bfcd7bfd94af5f","impliedFormat":1},{"version":"ba66efe3500db15451979bcf522846b27b6919a836f4cb54aeff00dbf53eec24","impliedFormat":1},{"version":"684ba911ddaa2d6e8303e70e11edb689ea1d746b9c0892f137b85d67a2d9da7c","impliedFormat":1},{"version":"8c18fa97c238733aaf36ee179461e9698456023c79e546a1366b1b362b82b25b","impliedFormat":1},{"version":"09767f6c3c0e60da6da44e1016d73bb7c265af42960e949cd02d41b62772136d","impliedFormat":1},{"version":"0fd182b4143c5577c227a465a7459fa5c4eb69905b58d1c47d97d7fc74ec2118","impliedFormat":1},{"version":"e7865c880892031c2910fd18b45154019407eff3927ad223cd733f3039329e39","impliedFormat":1},{"version":"f8e9db071525f68d5756dbfe23045a77e0fb3934cbeda7352d7e49608bcfe3f7","impliedFormat":1},{"version":"47328350737e2e452cb49c1c90fd9fc02e8a0b044d4c87c384fc5d9f6b7b54bf","impliedFormat":1},{"version":"e48e3afa7e59a50dc3be76cdc301c63d20eaa2c068d43309642cd3c6390bbd09","impliedFormat":1},{"version":"9d9baebd32e09604b81facf900ad69592adcf17c9b0f170ecfc1690844148e4e","impliedFormat":1},{"version":"d325f9b167ab12e1628e2bfb771a6b009e0fff4853d5645a6b59776a0215c8d4","impliedFormat":1},{"version":"f442b4d08fc5d83a1331806336aacd2ff64273f9e6bc5f0eee71a0c2e1d45e8e","impliedFormat":1},{"version":"5bb41f37ca3585a63795c9ac246058b3bd33a2323debca8cd7cd46e8ffe5c920","impliedFormat":1},{"version":"f61310a2c40cc3929b78b126e2ae1350b83b59cceac0ef1d8ea3a66c88f9dc9f","impliedFormat":1},{"version":"6ca8fc56eb6806632f89c2fff494df6de9e6d23b67722a86f71cc096957aa4f8","impliedFormat":1},{"version":"176b99ef80eae6c251a60f16fa3f5a90533ae08de0e8e742d07bc378565397e3","impliedFormat":1},{"version":"ab485b9d1fd0bec36a8ce894ae9b3f60e0fe01e2173787bafbd8e2ab38cb20bf","impliedFormat":1},{"version":"f44536a3f0fa53d0e2deb440a4922a6c5044ce7af2b63de51a19583235f505f0","impliedFormat":1},{"version":"9e8b92d6b441f9841801029ac2232ff3ea22c9e6c5f6c5c763c6538845410455","impliedFormat":1},{"version":"f3f0b30f04975375e8ebb900d21d59e27d169830f8a2ea7acfc8b56e9eb76d46","impliedFormat":1},{"version":"053badc6c363257712cc1eecdd8bfa96e662a46402a46d945672849e1703f73e","impliedFormat":1},{"version":"19403809b68311eaec2273ae203c56c5e6d752d3ee613b7838afe74639688d49","impliedFormat":1},{"version":"c1ea9a03a44568ece3a09b369a8ff11834d56608b471021d4c1dcee8105c1857","impliedFormat":1},{"version":"9b200fb6dd92b39c50dbef32b5990bb8766744191a39f6a9fe538a4d7722907b","impliedFormat":1},{"version":"e7793cba27829d41c6a1018ebbb122a440af69cef66ae5c000fdfac355e86500","impliedFormat":1},{"version":"6955b6f14e9857dd08fe56fa0dad1f26a09fd190bd94f898c07451f320babcc9","impliedFormat":1},{"version":"3ded839b327e0c7fc8d959189380648a83366cf92253c69f7a5ea51fd04aef9c","impliedFormat":1},{"version":"c2361eddc491d4202d81ce4de6e5ea4562f9ce5976181e31d95ba5054ee442aa","impliedFormat":1},{"version":"f22b2decc38ed2a4bc1e65d218fa71edc2b6f133d33c2b4f6ecbfe7083ec1eca","impliedFormat":1},{"version":"96b512768194f0a4ce3a3cacaeb4f583692a24a8e3003b13d9281819ce967416","impliedFormat":1},{"version":"e9c5103bc110d1ba6676695939971ec5f6fd4b117ad5cefafc7af0f889189fda","impliedFormat":1},{"version":"58bb8584ef98c5eab05cae3be7ce0fa6cc9d70b0507849f881d32b95fff341ee","impliedFormat":1},{"version":"776617d216d5f1404efde32cb5a458a8378c1540e3d22fa972daed4f1a39fd27","impliedFormat":1},{"version":"ccf4a37e89a4e45f1a07f978e9c5bdbdaa9bbe62a489b78203af8a1046a4e0e0","impliedFormat":1},{"version":"bf33feac62dba27ac615089d07fa3cb7d8963e5569f59cd109aac7b68b710dbf","impliedFormat":1},{"version":"ffc4ec6317c5ed7ebe18fc516f35ad6b4b7bce532b8caf4e5c4c3e1fd3deb940","impliedFormat":1},{"version":"9eb31bda544214dc696a6cdd01d54e1fceceab6f3f79239132445dfb689a33ce","impliedFormat":1},{"version":"f6558dde981c70ccce263785d245be1729ca7e268487da354ae5961874565788","impliedFormat":1},{"version":"998d115540014fab3581b4e3cb2821a25a8b421051f40ab334f00d31c30809bf","impliedFormat":1},{"version":"96f228be050d866c47239798c1929ec240067485fe0458b578c468aab1c86a7e","impliedFormat":1},{"version":"de1cd59fc33b9cb93d0eedc3f0172d5f1224a9820028e625fba48520e3e26a99","impliedFormat":1},{"version":"e7fcaa00b42304cbd07cf238a44110cce83f0122305c354a6108834ec58f9336","impliedFormat":1},{"version":"6e3521f6d6fb05ced11f795ab36851bf7255aff25e6e8ab9734b5762d2fe354f","impliedFormat":1},{"version":"7a5e3dd8b47efa6b169f3ab590d35feae7cc3b7736354f293a3db270bce157ea","impliedFormat":1},{"version":"7d09ddf0a790bf9e5bee0a1d60b9a6a6b182cadd9d641b57a1c66b33a7cca0db","impliedFormat":1},{"version":"e661056dbddc29170f23873bf7501f894a36d27fd05bbdaa87dad5d3eca3b89f","impliedFormat":1},{"version":"5181637779b51588afa3503dc8c9c7ebd8ff2935ca47db5f16f058cccfb50e10","impliedFormat":1},{"version":"f24d0147b9727db751661a6a68e64bdcbaf6a83dc327edcf9f50c6fbe4dc9ea5","impliedFormat":1},{"version":"bd734a28e08dd842d9c17ae9fa05a304737498873ca58883eb815dba162766c4","impliedFormat":1},{"version":"f800aa633781abd71dc7012885ed75b7cbb5fc840cd3b81c86eabe2a352b166b","impliedFormat":1},{"version":"c295139d69307216461e137b77a57edc4b4d937dd7923b4f00f6af09cf853def","impliedFormat":1},{"version":"75f0a687671ea05684097af85a7361fa20834a0d1d0e718454ee5fca61696b73","impliedFormat":1},{"version":"887c56417f3713d48dae84e1a5c661f0d3a8c7dd9291b2a6742e7169c9b92ec3","impliedFormat":1},{"version":"73f6bd6d88383ed8597bb606a39965fba4a2069e84096ea4a51ee68f9746eb19","impliedFormat":1},{"version":"1b4f8b1186080ecea68f0b9b2a97a7fc019952a4111dd4cfb25910a5e4a0e284","impliedFormat":1},{"version":"bdcdfbdded3940ca7d79dc112e834c4cf78ca18c5a7c6530f58d0bd1fa4156d7","impliedFormat":1},{"version":"da7f531ecba0c3df4d93fbb8168559add0b2a5dee12a6a934ad52472e0f5880a","impliedFormat":1},{"version":"5162f6a406eefd805d4fc0e9f66dfb717cc29c04bfabb6eaee324d10510806cc","impliedFormat":1},{"version":"75945afc83947f9adb1fc5f0035c14818bae1aedd0f2e8ac8528fd73070d6258","impliedFormat":1},{"version":"bf427212e92b227fadf80c4bef4de91c38653492c0778ce103afc8010c77ea7f","impliedFormat":1},{"version":"d4a0fcd0048b161cea04a170b27ce1b9a82fb098de82693cdf434f792e45fdf4","impliedFormat":1},{"version":"6c103d333c86871bee90cf1343f2011fd28c4d6ab93b1967c62daa6c227e1988","impliedFormat":1},{"version":"e591afd10115ffbdf6acd2ca3c1438088a18e3e470f5bc0f761f9973490ae03d","impliedFormat":1},{"version":"7af440443e86ff0cadafe671608aafa2cddab2b2c2832c233c2814bef711af7a","impliedFormat":1},{"version":"4fc58c40c4f4ace53bdf71ad1589f77b34340078fa112ac9e0a3110afe17e38b","impliedFormat":1},{"version":"07f933da44e08208560b7748f391573171527c2f2fc677b115095c603f3c3e25","impliedFormat":1},{"version":"f60e8e154ee63b304ef0e657ed2a075bd76f7fb7045335609072a2c84cef886a","impliedFormat":1},{"version":"019bd8300e43034142742595f8daa0b585ae598e61154b273ef5869494c17640","impliedFormat":99},"f882ffd7b7f3414aa7bf5f3d0457148659fe361957c9b3b611b43d8553bd1ba3",{"version":"92e5c833fd004c237515432a133605b79c4d26d4053a6d6e39921e7d9bd10839","signature":"d69966ae43b2744a9b996e2204df4603790e706b18c26cdeae97faf4aad9539f"},{"version":"0d6c72afdb4ff28e3f911592b6c912c15bf430c07ac39c4b1400c076573670a3","signature":"2e53b01994b572241090a8b52608b5982d84ee856db92b32b664d5d92ec04efe"},{"version":"0d66e62d5d0b5028f377d90e8e23358294d43cd6163e48556c3da75325645ecb","signature":"6564e335143713b6a92ab69cdc6096ecd8478bc649e9cdff23b90387153b0aec"},"0b08a44d0e298a5d16ea2e03856617697fadb465a419ffeb3a6ea9ca76c69f34","d4750197b970cc2e2be6c137c0713b6a2eb808e1a60c845ab724d3fdd67210a7","90a690c01477ce9a10b2bc577eb8a74b7fdf6c13390118c06363850e77927d73","52c5cced6e8e40fe5faa9e7f705c24fff49425a51434f1fd163cc0b81bc746c0","0bb55beed444a6f49611955a8e5b246ea769ecaeb550851f65e7e699a6173aa7","c2941df031b6c21aee22f8998241f103438c717394961928ceb0b5f5d44e5b01","a4d07be13390132338170246084a6966072e9ad2337b808d3557f78e17edf31c",{"version":"9137bc2cea622bff56d0f7ad0fd33b627ce18755a4df86d580eb784692a23952","signature":"bb629cb1c95772180f39c9d22a5d9c6325cf671fadc7c89d9c10f4a151d714e4"},{"version":"1a116aae9d0bd6df1682d7e4e0dd3f4dfc544aa082f6f733d1fc1e232ed6f039","signature":"31685e806257e8336cde776ace85848debb3d920d14220b4a3814799e9c4595c"},"3d41947d9ebb0db3299c93fc8f3812d6ec9b0c9cff3a3aa2b8c68ad0ba416be4",{"version":"bb9a61f67ee332384e93d240852e1b17ca991b066201c4a8062780b067d52004","impliedFormat":1},{"version":"6b841ccae8de7748d667253d62a33694a1d93d55fa5afdf1437ff89b6783baa4","signature":"c1e8d8e3cab62b9ffac3ecc8f0f0c3f2cd16e3c011fe7a53eebc6d7df2708a4a"},{"version":"8b406eace3aa9aa23667a40edb16328e25ea7de204118b90b1ee563f2bc1f885","signature":"318ca0da2b8757e76efefc0ecb9758cf43c32de254518101b7426000818b1174"},{"version":"8af2a4ef69e9cef954c1eca395e5e63010d36f0004cb38fc29a141c018d46d64","signature":"1071b5ce91ec51041b20972b270eaffd04cd05afc61fbb1ce86abd32a250fc81"},"3aa03df8c1955e3fe91802720a86efd456e15b49350862761a2171fb1b90fedd","d37ba9b87e3a99828ac38da8733d01e9410f05e10222702abb1042d054a2e03d",{"version":"15fe687c59d62741b4494d5e623d497d55eb38966ecf5bea7f36e48fc3fbe15e","impliedFormat":1},{"version":"2c3b8be03577c98530ef9cb1a76e2c812636a871f367e9edf4c5f3ce702b77f8","affectsGlobalScope":true,"impliedFormat":1},{"version":"5221b4739633a57c4251be880c0626c78391fe3ebf568f2f6ff5e4df60e71bb7","impliedFormat":99},{"version":"26d51d186bf97cd7a0aa6ad19e87195fd08ed72bb8df46e07cc2257b4d338eb5","impliedFormat":1},{"version":"eb37c2b0ef3b11ce50ab484e3ee57b017af450e2ff9b4960113541576fada071","signature":"6acb0c8eca23ea0731e0c28394b405e5e00dbef027b7179f3628747060b1feaf"},{"version":"f49940dd2122305b53d1c9ce3cfb111c073d8ac827e0b3534210987ef98fcdf4","signature":"4286b7391827952ba090afd96e9fd508b47d6b97fb75ad6dd9dd07564c8c6310"},"7b7fa796ed7860519674ff68aac2c64e9be6d9de150ef403f742825045fa3902",{"version":"6d5b2e35149ca279a4bd70ff7f0730381ba4a9c47b0eccbd295029241023fea7","signature":"1873e4a592565b0bf0c4705a62b467ae9ede7a2a349ff1a3ac8fbe87b2c29c71"},{"version":"1d5b7e3bdd0ceed03b2aa81d27cdc671559d79807b84c5c3b75ff30d77ca0119","signature":"78e3ca07dfd260004af8c988039547b83b1110d16042b21f6ece209c06fd2aa9"},"ff25d2789578679f3f1b1f5dcbb5c87a0dad6488fa583cd1fded8ae83c58b1b5",{"version":"5f86b90281b0799105cab4b8d3e7b14ea5b65265fc5a6539074062546b18cdb8","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"527fe239e295fc7d4d3ef90dd1acb2b0036b98310d2c0fc9869e950d14bb7908","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"18484a92bd0fea49364255ee630f5a3a3e54ffb572f6b3dbb7493475b9fa5d53","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"8ad5b9c7b096fff25ca2222c0d826c1a29c5912b68d2d0d259463dc6112e7ca1","signature":"89b0f68f8f0b901f9dfff2b9e7255520283a783d6af7f2bc2953d771232317a2"},{"version":"785b9d575b49124ce01b46f5b9402157c7611e6532effa562ac6aebec0074dfc","impliedFormat":1},{"version":"f3d8c757e148ad968f0d98697987db363070abada5f503da3c06aefd9d4248c1","impliedFormat":1},{"version":"96d14f21b7652903852eef49379d04dbda28c16ed36468f8c9fa08f7c14c9538","impliedFormat":1},{"version":"f2f23fe34b735887db1d5597714ae37a6ffae530cafd6908c9d79d485667c956","impliedFormat":1},{"version":"5bba0e6cd8375fd37047e99a080d1bd9a808c95ecb7f3043e3adc125196f6607","impliedFormat":1}],"root":[461,462,487,[490,493],495,496,[1225,1238],[1240,1244],[1249,1258]],"options":{"allowJs":true,"esModuleInterop":true,"jsx":1,"module":99,"skipLibCheck":true,"strict":true,"target":4},"referencedMap":[[1258,1],[1256,2],[1257,3],[1255,4],[1254,5],[461,6],[462,7],[884,8],[886,9],[887,10],[888,11],[883,12],[885,12],[937,13],[932,12],[933,14],[936,15],[934,15],[935,15],[938,16],[899,17],[897,15],[898,18],[900,19],[939,20],[940,21],[941,15],[942,22],[945,23],[946,24],[947,15],[948,25],[956,26],[949,15],[950,15],[951,15],[952,15],[953,15],[954,15],[955,27],[957,28],[958,15],[959,29],[985,30],[986,31],[988,32],[987,15],[989,33],[990,27],[991,34],[992,27],[993,35],[994,15],[995,36],[996,15],[997,37],[998,15],[999,38],[1002,39],[1000,15],[1001,40],[1003,41],[1005,42],[1004,27],[1006,43],[1007,27],[1008,44],[1014,45],[1016,14],[1011,15],[1017,46],[1012,47],[1013,15],[1015,14],[1018,48],[1020,49],[1019,14],[1021,50],[902,27],[901,51],[903,52],[1022,15],[1023,53],[858,15],[859,54],[1033,55],[1034,56],[1027,57],[1025,58],[1024,12],[1026,15],[1029,59],[1031,60],[1030,59],[1028,57],[1032,61],[1035,27],[1036,62],[975,63],[978,64],[960,15],[961,65],[962,66],[963,15],[964,15],[965,15],[966,15],[967,15],[968,15],[969,14],[970,15],[971,15],[972,67],[973,15],[980,68],[979,68],[984,69],[976,68],[983,68],[977,70],[982,12],[974,12],[981,71],[1037,15],[1038,72],[1039,14],[1040,73],[1041,74],[1042,75],[1043,15],[1044,76],[1050,77],[1054,78],[1045,79],[1046,79],[1047,79],[1048,79],[1049,79],[1051,80],[1052,14],[1053,79],[1055,81],[1056,15],[1057,82],[1058,12],[1059,83],[1060,47],[1061,84],[927,15],[928,27],[929,85],[872,86],[871,87],[873,88],[869,12],[868,12],[870,87],[930,15],[931,89],[1062,14],[1063,90],[1064,91],[1066,92],[1065,15],[1067,93],[904,15],[905,94],[1068,23],[1069,95],[1072,96],[1070,97],[1071,98],[1073,99],[1074,27],[1075,100],[1223,101],[1078,102],[1077,103],[1076,12],[1010,104],[1009,46],[924,105],[921,106],[915,107],[916,15],[917,15],[918,15],[919,15],[923,108],[920,109],[922,110],[926,111],[925,112],[1082,113],[1081,114],[1084,115],[1083,15],[1087,116],[1086,117],[1085,15],[896,118],[895,119],[894,12],[1089,120],[1088,121],[1091,122],[1090,15],[1098,123],[1097,124],[1096,15],[1094,15],[1092,27],[1093,15],[1095,51],[1110,125],[1104,126],[1108,127],[1099,79],[1100,79],[1101,79],[1102,79],[1103,79],[1105,128],[1106,14],[1107,79],[1109,12],[914,129],[906,130],[907,46],[908,131],[909,132],[910,46],[911,133],[912,46],[913,14],[1112,134],[1111,30],[1114,135],[1113,136],[1116,137],[1115,27],[1118,138],[1117,15],[1120,139],[1119,140],[1127,141],[1126,142],[875,143],[874,27],[1135,144],[1134,145],[1128,14],[1129,15],[1130,146],[1131,147],[1132,148],[1133,15],[867,149],[866,27],[1137,150],[1136,47],[1140,151],[1139,152],[1138,15],[1143,153],[1142,154],[1141,15],[1145,155],[1144,47],[893,156],[892,157],[889,158],[891,159],[890,15],[878,160],[877,161],[876,51],[1150,162],[1149,163],[1146,15],[1147,15],[1148,15],[1157,164],[1155,165],[1156,14],[1151,15],[1152,47],[1153,14],[1154,166],[1159,167],[1158,15],[1161,168],[1160,15],[861,169],[860,15],[1163,170],[1162,15],[1165,171],[1164,30],[1167,172],[1166,15],[1169,173],[1168,15],[1171,174],[1170,15],[1175,175],[1174,176],[1172,140],[1173,176],[1177,177],[1176,15],[1179,178],[1178,15],[1181,179],[1180,15],[1185,180],[1184,181],[1182,12],[1183,182],[1188,183],[1187,184],[1186,47],[1193,185],[1189,186],[1192,187],[1190,188],[1191,15],[1195,189],[1194,190],[1200,191],[1199,192],[1196,15],[1197,15],[1198,193],[1202,194],[1201,30],[944,195],[943,27],[1080,196],[1079,47],[1204,197],[1203,47],[1206,198],[1205,15],[1209,199],[1208,200],[1207,15],[1211,201],[1210,15],[1216,202],[1215,203],[1212,204],[1213,205],[1214,140],[881,206],[882,207],[880,208],[879,12],[1217,209],[1220,210],[1219,211],[1218,212],[1222,213],[1221,15],[863,214],[862,27],[865,215],[864,15],[716,216],[679,217],[699,218],[717,219],[681,220],[697,221],[696,222],[695,223],[682,217],[683,217],[684,12],[685,217],[686,12],[690,224],[687,217],[688,12],[689,217],[691,225],[680,217],[698,12],[855,226],[856,227],[714,228],[712,51],[711,229],[715,230],[713,231],[857,232],[694,233],[693,234],[692,12],[729,235],[724,12],[720,235],[728,235],[727,235],[721,235],[678,235],[719,235],[730,236],[725,12],[726,12],[718,237],[723,12],[722,12],[735,238],[734,235],[733,239],[732,235],[821,240],[822,241],[827,242],[826,243],[828,244],[839,235],[823,235],[843,245],[842,12],[829,246],[831,247],[832,235],[834,248],[830,14],[833,235],[835,249],[837,250],[836,251],[825,252],[824,235],[840,235],[731,253],[820,254],[819,255],[736,235],[737,256],[841,257],[838,12],[700,258],[710,259],[701,260],[707,261],[702,262],[708,262],[703,263],[705,264],[706,265],[704,266],[709,267],[502,12],[515,12],[518,12],[510,14],[509,14],[512,12],[849,12],[501,12],[506,12],[852,12],[513,12],[846,243],[844,217],[847,12],[514,12],[850,12],[853,12],[511,12],[517,12],[845,268],[854,269],[508,12],[507,12],[500,12],[851,12],[516,12],[505,270],[503,12],[504,12],[848,51],[1224,271],[818,272],[745,12],[747,51],[748,12],[750,273],[751,12],[746,12],[752,51],[753,12],[757,51],[795,12],[754,12],[755,12],[794,51],[803,12],[801,12],[815,12],[756,12],[758,12],[796,12],[759,12],[787,12],[784,12],[802,12],[785,12],[786,274],[789,51],[760,12],[761,12],[804,12],[793,12],[783,12],[762,12],[813,12],[763,51],[764,12],[765,12],[766,275],[788,12],[808,12],[749,12],[768,51],[806,12],[769,51],[770,51],[805,51],[797,12],[814,12],[791,12],[773,12],[771,12],[800,12],[772,12],[816,51],[774,273],[776,51],[775,12],[817,12],[767,275],[792,12],[809,12],[777,12],[807,12],[799,12],[810,12],[811,51],[812,12],[798,12],[778,12],[779,12],[790,12],[780,12],[781,12],[782,12],[738,12],[744,276],[739,12],[740,12],[741,12],[742,12],[743,12],[407,12],[1239,51],[1259,12],[1260,12],[1261,12],[134,277],[135,277],[136,278],[95,279],[137,280],[138,281],[139,282],[90,12],[93,283],[91,12],[92,12],[140,284],[141,285],[142,286],[143,287],[144,288],[145,289],[146,289],[148,290],[147,291],[149,292],[150,293],[151,294],[133,295],[94,12],[152,296],[153,297],[154,298],[186,299],[155,300],[156,301],[157,302],[158,303],[159,304],[160,305],[161,306],[162,307],[163,308],[164,309],[165,309],[166,310],[167,12],[168,311],[170,312],[169,313],[171,314],[172,315],[173,316],[174,317],[175,318],[176,319],[177,320],[178,321],[179,322],[180,323],[181,324],[182,325],[183,326],[184,327],[185,328],[190,329],[191,330],[189,51],[187,331],[188,332],[79,12],[81,333],[303,51],[1246,334],[1245,12],[1262,12],[1263,12],[488,12],[80,12],[1247,335],[1248,336],[489,337],[88,338],[410,339],[415,5],[417,340],[211,341],[359,342],[386,343],[286,12],[204,12],[209,12],[350,344],[278,345],[210,12],[388,346],[389,347],[331,348],[347,349],[251,350],[354,351],[355,352],[353,353],[352,12],[351,354],[387,355],[212,356],[285,12],[287,357],[207,12],[222,358],[213,359],[226,358],[255,358],[197,358],[358,360],[368,12],[203,12],[309,361],[310,362],[304,226],[438,12],[312,12],[313,226],[305,363],[442,364],[441,365],[437,12],[391,12],[346,366],[345,12],[436,367],[306,51],[229,368],[227,369],[439,12],[440,12],[228,370],[431,371],[434,372],[238,373],[237,374],[236,375],[445,51],[235,376],[273,12],[448,12],[451,12],[450,51],[452,377],[193,12],[356,378],[357,379],[380,12],[202,380],[192,12],[195,381],[325,51],[324,382],[323,383],[314,12],[315,12],[322,12],[317,12],[320,384],[316,12],[318,385],[321,386],[319,385],[208,12],[200,12],[201,358],[409,387],[418,388],[422,389],[362,390],[361,12],[270,12],[453,391],[371,392],[307,393],[308,394],[300,395],[292,12],[298,12],[299,396],[329,397],[293,398],[330,399],[327,400],[326,12],[328,12],[282,401],[363,402],[364,403],[294,404],[295,405],[290,406],[342,407],[370,408],[373,409],[271,410],[198,411],[369,412],[194,343],[392,413],[403,414],[390,12],[402,415],[89,12],[378,416],[258,12],[288,417],[374,12],[217,12],[401,418],[206,12],[261,419],[360,420],[400,12],[394,421],[199,12],[395,422],[397,423],[398,424],[381,12],[399,411],[225,425],[379,426],[404,427],[334,12],[337,12],[335,12],[339,12],[336,12],[338,12],[340,428],[333,12],[264,429],[263,12],[269,430],[265,431],[268,432],[267,432],[266,431],[221,433],[253,434],[367,435],[454,12],[426,436],[428,437],[297,12],[427,438],[365,402],[311,402],[205,12],[254,439],[218,440],[219,441],[220,442],[216,443],[341,443],[232,443],[256,444],[233,444],[215,445],[214,12],[262,446],[260,447],[259,448],[257,449],[366,450],[302,451],[332,452],[301,453],[349,454],[348,455],[344,456],[250,457],[252,458],[249,459],[223,460],[281,12],[414,12],[280,461],[343,12],[272,462],[291,463],[289,464],[274,465],[276,466],[449,12],[275,467],[277,467],[412,12],[411,12],[413,12],[447,12],[279,468],[247,51],[87,12],[230,469],[239,12],[284,470],[224,12],[420,51],[430,471],[246,51],[424,226],[245,472],[406,473],[244,471],[196,12],[432,474],[242,51],[243,51],[234,12],[283,12],[241,475],[240,476],[231,477],[296,308],[372,308],[396,12],[376,478],[375,12],[416,12],[248,51],[408,479],[82,51],[85,480],[86,481],[83,51],[84,12],[393,482],[385,483],[384,12],[383,484],[382,12],[405,485],[419,486],[421,487],[423,488],[425,489],[429,490],[460,491],[433,491],[459,492],[435,493],[443,494],[444,495],[446,496],[455,497],[458,380],[457,12],[456,498],[479,499],[477,500],[478,501],[466,502],[467,500],[474,503],[465,504],[470,505],[480,12],[471,506],[476,507],[482,508],[481,509],[464,510],[472,511],[473,512],[468,513],[475,499],[469,514],[1125,515],[1122,516],[1123,517],[1124,517],[1121,51],[498,518],[499,519],[497,51],[377,520],[463,12],[485,521],[484,12],[483,12],[486,522],[677,523],[550,524],[646,12],[613,525],[583,526],[568,527],[647,12],[594,12],[605,12],[623,528],[521,12],[652,529],[654,530],[653,531],[607,532],[606,533],[609,534],[608,535],[566,12],[655,527],[659,536],[657,537],[525,538],[526,538],[527,12],[569,539],[620,540],[619,12],[632,541],[532,524],[626,12],[615,12],[672,542],[674,12],[553,543],[552,544],[635,545],[637,546],[530,547],[639,548],[644,549],[528,550],[541,551],[650,552],[589,553],[667,524],[643,554],[642,555],[542,556],[543,12],[561,557],[557,558],[558,559],[560,560],[556,561],[555,562],[559,563],[596,12],[544,12],[531,12],[545,564],[546,565],[548,566],[540,12],[587,12],[645,567],[588,552],[618,12],[611,12],[625,568],[624,569],[656,537],[660,570],[658,571],[524,572],[673,12],[612,543],[554,573],[630,574],[629,12],[584,575],[571,576],[572,12],[565,577],[616,578],[617,578],[534,579],[567,12],[547,580],[522,12],[586,581],[563,12],[599,12],[551,524],[634,582],[675,583],[577,527],[590,584],[661,531],[663,585],[662,585],[581,586],[582,587],[564,12],[519,12],[593,12],[592,527],[636,524],[633,12],[670,12],[574,527],[533,588],[573,12],[575,589],[578,527],[529,12],[628,12],[668,590],[648,539],[603,12],[597,591],[622,592],[598,591],[602,593],[600,594],[621,553],[585,595],[649,596],[570,597],[538,12],[576,598],[664,537],[666,570],[665,571],[669,12],[640,599],[631,12],[671,600],[614,601],[610,12],[627,602],[580,603],[579,604],[537,12],[595,12],[549,527],[676,12],[641,12],[520,12],[591,527],[523,12],[601,605],[536,12],[535,12],[604,12],[651,527],[562,527],[638,524],[539,606],[77,12],[78,12],[13,12],[14,12],[16,12],[15,12],[2,12],[17,12],[18,12],[19,12],[20,12],[21,12],[22,12],[23,12],[24,12],[3,12],[25,12],[26,12],[4,12],[27,12],[31,12],[28,12],[29,12],[30,12],[32,12],[33,12],[34,12],[5,12],[35,12],[36,12],[37,12],[38,12],[6,12],[42,12],[39,12],[40,12],[41,12],[43,12],[7,12],[44,12],[49,12],[50,12],[45,12],[46,12],[47,12],[48,12],[8,12],[54,12],[51,12],[52,12],[53,12],[55,12],[9,12],[56,12],[57,12],[58,12],[60,12],[59,12],[61,12],[62,12],[10,12],[63,12],[64,12],[65,12],[11,12],[66,12],[67,12],[68,12],[69,12],[70,12],[1,12],[71,12],[72,12],[12,12],[75,12],[74,12],[73,12],[76,12],[111,607],[121,608],[110,607],[131,609],[102,610],[101,611],[130,498],[124,612],[129,613],[104,614],[118,615],[103,616],[127,617],[99,618],[98,498],[128,619],[100,620],[105,621],[106,12],[109,621],[96,12],[132,622],[122,623],[113,624],[114,625],[116,626],[112,627],[115,628],[125,498],[107,629],[108,630],[117,631],[97,632],[120,623],[119,621],[123,12],[126,633],[490,634],[1229,12],[1252,635],[1251,12],[1235,12],[1237,636],[1238,12],[1250,637],[1232,638],[1233,12],[1234,12],[1243,639],[1249,640],[1244,641],[1253,642],[1241,643],[1242,644],[1240,645],[1230,639],[1231,646],[1226,647],[1236,648],[493,649],[494,12],[496,650],[1225,639],[495,12],[1227,651],[1228,652],[492,652],[491,12],[487,653]],"affectedFilesPendingEmit":[1258,1256,1257,1255,462,490,1229,1252,1251,1235,1237,1238,1250,1232,1233,1234,1243,1249,1244,1253,1241,1242,1240,1230,1231,1226,1236,493,496,1225,495,1227,1228,492,491,487],"version":"5.7.3"} \ No newline at end of file From c52a8e6e2a6b3199b9daa58146bb99fc5afb9c88 Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:17:21 +1100 Subject: [PATCH 18/23] delete mock data --- frontend/src/lib/jobs.json | 23846 ----------------------- frontend/src/lib/mock-data.ts | 9 - frontend/src/lib/transform-job-data.ts | 41 - 3 files changed, 23896 deletions(-) delete mode 100644 frontend/src/lib/jobs.json delete mode 100644 frontend/src/lib/mock-data.ts delete mode 100644 frontend/src/lib/transform-job-data.ts diff --git a/frontend/src/lib/jobs.json b/frontend/src/lib/jobs.json deleted file mode 100644 index fe08445..0000000 --- a/frontend/src/lib/jobs.json +++ /dev/null @@ -1,23846 +0,0 @@ -[ - { - "_id": { - "$oid": "678b646ff2fda898063ee316" - }, - "title": "ITE1 - ITE2 Technical Field Operator", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient. 

\r", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-technical-field-operator" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee317" - }, - "title": "Aboriginal and or Torres Strait Islander Cadetship Program", - "description": "

Applications for our 2024/25 Aboriginal and/or Torres Strait Islander Cadetship Program have now closed. If you wish to be notified of when applications for our 2025/26 Cadetship Program open, click ‘Apply’!

\r\n\r\n

What is Chevron’s Aboriginal and/or Torres Strait Islander Cadetship program?

\r\n\r\n

Chevron Australia’s Aboriginal Cadetship Program supports Aboriginal and Torres Strait Islander students to successfully complete their university degree and gain valuable work experience in a leading international liquefied natural gas (LNG) business. For each year of full time study, Cadets receive study and materials allowances and 12-weeks of paid summer employment at Chevron's new Australian headquarters at One, The Esplanade, Perth.

\r\n\r\n

Who we are looking for?

\r\n\r\n

We are looking to hear from Australian Aboriginal students in any year of study in the following disciplines:

\r\n\r\n
    \r\n\t
  • Engineering
  • \r\n\t
  • Information technology
  • \r\n\t
  • Earth science
  • \r\n\t
  • Corporate affairs / communications / marketing
  • \r\n\t
  • Human resources
  • \r\n\t
  • Health, safety & environment (HSE)
  • \r\n\t
  • Health & medical
  • \r\n\t
  • Finance
  • \r\n\t
  • Business
  • \r\n\t
  • Law
  • \r\n
\r\n\r\n

To be eligible for the program you must:

\r\n\r\n
    \r\n\t
  • Be of Australian Aboriginal and/or Torres Strait Islander descent, and able to provide confirmation/proof of your heritage
  • \r\n\t
  • Be enrolled for full time study at an Australian university
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

The Chevron Cadetship Program gives you the opportunity to participate in our industry-leading oil and gas projects while acquiring practical skills relevant to your field of study.

\r\n\r\n

As a Cadet with Chevron, you will receive:

\r\n\r\n
    \r\n\t
  • 12-weeks paid vacation employment at Chevron Australia’s head office in Perth
  • \r\n\t
  • Annual study allowance of $12,000.
  • \r\n\t
  • Annual books and equipment allowance of $1,000.
  • \r\n\t
  • Ongoing professional support and mentoring.
  • \r\n\t
  • Opportunity to be considered for Chevron’s Horizons Graduate Program upon completion of a relevant degree.
  • \r\n\t
  • Flexible working arrangements including the option to work from home on Mondays and Fridays and work a 9 day fortnight to support your work life balance.
  • \r\n\t
  • Participate in world-leading energy projects, advance your professional development and begin your career within an inclusive, collaborative and high-performing workplace.
  • \r\n\t
  • A competitive remuneration package.
  • \r\n\t
  • Health and wellness offerings including fitness classes, gym access and mental health support.
  • \r\n\t
  • Opportunity to work in our new, world leading building One The Esplanade if you join us in Perth or in our Brisbane office located in Hamilton.
  • \r\n
\r\n\r\n

Register your interest

\r\n\r\n

To register your interest for our 2025/26 Cadetship Program, click ‘Apply’ and we will send you an email when our applications open!

", - "company": { - "name": "Chevron Australia", - "website": "https://au.prosple.com/graduate-employers/chevron-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/gxYEavr0xTYGb4pwR3F2qRYxOEA0y02v-_Da_XOwsws/1596294991/public/styles/scale_and_crop_center_80x80/public/2020-07/logo-chevron-220%C3%97220-2020.png" - }, - "application_url": "https://australia.chevron.com/work-with-us", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/chevron-australia/jobs-internships/aboriginal-and-or-torres-strait-islander-cadetship-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-31T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee318" - }, - "title": "Cyber Security Graduate Program", - "description": "

What we provide 

\r\n\r\n
    \r\n\t
  • a full-time, 12-month, award-winning graduate program
  • \r\n\t
  • a competitive starting salary $7,280 (plus 15.4% super) as an APS3
  • \r\n\t
  • an excellent social and networking base with fellow graduates
  • \r\n\t
  • inspiring work rotations to develop your skills and explore different areas of interest
  • \r\n\t
  • work-life balance including flexible working from home arrangements and generous leave entitlements
  • \r\n\t
  • career progression to a permanent APS 4 level role of more than $86,800 ($75,279 plus 15.4% super), relevant to your stream, when you complete the program.
  • \r\n
\r\n\r\n

What you’ll do   

\r\n\r\n

Keeping Australians safe from ever-evolving cyber security threats is critical. As an ATO Cyber Security graduate, you’ll be a part of a team that protects Australians by delivering a range of policies programs and processes. Your work will protect the confidentiality and integrity of data holdings across the tax and superannuation ecosystem. 

\r\n\r\n

You’ll be part of a globally recognised, leading IT capability. Our program offers an opportunity to gain an in-depth insight into information security, privacy, and compliance issues and collaborate with others to drive cyber security initiatives forward. You could:   

\r\n\r\n
    \r\n\t
  • assist in developing and applying strategies to configure, administer and maintain security in IT systems
  • \r\n\t
  • participate in the design and coordination of security changes required to IT environments and provide advice to clients
  • \r\n\t
  • analyse technical issues and research and develop design options to provide solutions
  • \r\n\t
  • contribute to development and monitoring of access control in IT systems.
  • \r\n
\r\n\r\n

You’ll receive tailored training and mentoring from subject matter experts to enable you to reach your full potential.  

\r\n\r\n

Who you are  

\r\n\r\n

We’re looking for people with curious minds, who can demonstrate a passion for Australian Government initiatives, enjoy outside the box thinking, sharing ideas and building relationships, this could be the perfect opportunity for you. 

\r\n\r\n

Who can register 

\r\n\r\n

To be eligible to register, you must have completed your university degree within the last five years or be in your final year of study. At the time of commencing our program, you must have completed all your course requirements.  

\r\n\r\n

The program starts in February 2026. You must be an Australian citizen and willing to undergo police, character and health checks as required.

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like the perfect opportunity to you, we encourage you to register your interest today. 

", - "company": { - "name": "Australian Taxation Office (ATO)", - "website": "https://au.prosple.com/graduate-employers/australian-taxation-office-ato", - "logo": "https://connect-assets.prosple.com/cdn/ff/pj7oAoSwYPwm88sFO6z8XetMEKL5ATxqPi4iUou5NsY/1613637760/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-ato-240X240-2021.jpg" - }, - "application_url": "https://www.ato.gov.au/About-ATO/Careers/Entry-level-programs/The-ATO-Graduate-program/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-taxation-office-ato/jobs-internships/cyber-security-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee319" - }, - "title": "Data Analyst (All Graduates)", - "description": "Launch your career in the Data Industry with world-class training and practical experience.", - "company": { - "name": "The Data School", - "website": "https://au.gradconnection.com/employers/the-data-school", - "logo": "https://media.cdn.gradconnection.com/uploads/8d3b7747-9131-4026-9067-7e3794bd3089-The_Data_School-logo.png" - }, - "application_url": "https://www.thedataschool.com.au/apply/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/the-data-school/jobs/the-data-school-data-analyst-all-graduates" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T12:59:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Administration", - "Agriculture", - "Arts and Humanities", - "Business and Commerce", - "Communications", - "Computer Science", - "Construction", - "Consulting", - "Cyber Security", - "Data Science and Analytics", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Petroleum", - "Environment", - "Food Technology", - "Horticulture", - "Information Systems", - "Information Technology", - "Journalism", - "Management", - "Marine Biology", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Physics", - "Recruitment", - "Research and Development", - "Science", - "Statistics", - "Telecommunications" - ], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.598Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.598Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31a" - }, - "title": "Graduate Consultant - Digital Systems", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Deploy and configure business systems to meet client needs.
  • \r\n\t
  • Perform systems process mapping and conduct needs analysis sessions with clients.
  • \r\n\t
  • Ensure seamless integration with existing infrastructure and processes.
  • \r\n\t
  • Customize system settings to optimize performance and functionality.
  • \r\n\t
  • Ensure compliance with industry standards and best practices.
  • \r\n\t
  • Conduct thorough testing and validation of system implementations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A recent third-level qualification in a tech-focused discipline.
  • \r\n\t
  • A base-level understanding of system architecture and design principles.
  • \r\n\t
  • Exposure to database management and data integration techniques is a bonus.
  • \r\n\t
  • A willingness to learn and enthusiasm for digital trends.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, free weekly lunches, social events, flexible working options, and modern offices in the CBD.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring, coaching, and both internal and external training programs to enhance your career skills.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement as BlueRock Digital continues to grow, with the potential to take on more senior roles.

\r\n\r\n

Report this job

", - "company": { - "name": "BlueRock", - "website": "https://au.prosple.com/graduate-employers/bluerock", - "logo": "https://connect-assets.prosple.com/cdn/ff/-d7Tb3cH-INgscmNMbKvrdRjzAONdy7EIyu7vN8PHqc/1581974415/public/styles/scale_and_crop_center_80x80/public/2020-01/logo-bluerock-240x240-2020.png" - }, - "application_url": "https://apply.workable.com/the-blue-rock/j/983307A690/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bluerock/jobs-internships/graduate-consultant-digital-systems" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31b" - }, - "title": "Operations and Delivery Stream Graduate Program", - "description": "

Have you recently graduated from University, looking for an inclusive and diverse work environment, want to make a real difference, be valued, and take on endless opportunities for growth whilst being your authentic self?

\r\n\r\n

If you answered yes to any of the above, the NIAA Graduate Program wants you to apply! 

\r\n\r\n

Our Operations and Delivery Stream is aligned to graduates who are interested in working in our regions to work on implementing and delivering range of government initiatives and commitments.

\r\n\r\n

Our Agency is unique: we are about people, purpose and partnerships. We are committed to a common goal, we care about each other and our stakeholders, and we work with in partnership to support the self-determination and aspirations of First Nations peoples. 

\r\n\r\n

What NIAA provides

\r\n\r\n
    \r\n\t
  • 12 month program consisting of three rotations through various work areas with a potential rotation in one of our metropolitan, regional or remote locations.
  • \r\n\t
  • Commencing as an APS4, salary of $77,558 p.a. + 15.4% superannuation with eligible advancement to the APS 5 level and have the opportunity to be assessed to advance to the APS 6 level.
  • \r\n\t
  • Various locations on offer Brisbane, Canberra, Darwin and Perth
  • \r\n\t
  • Choose from one of our tailored streams Policy and Program, Corporate and Enabling and Operations and Delivery
  • \r\n\t
  • Extensive professional learning and development opportunities to support your career progression and possible future promotions
  • \r\n\t
  • Experience our award winning cross-cultural learning ‘Footprints Program’
  • \r\n\t
  • An inclusive and diverse workplace including of our 6 employee networks\r\n\t
      \r\n\t\t
    • Aboriginal and Torres Strait Islander Network
    • \r\n\t\t
    • Culturally and Linguistically Diverse Network
    • \r\n\t\t
    • Disability Network
    • \r\n\t\t
    • Pride Network
    • \r\n\t\t
    • Wellbeing Network
    • \r\n\t\t
    • Women’s Network
    • \r\n\t
    \r\n\t
  • \r\n\t
  • People are the heart of the NIAA, Graduates are no different we provide tailored dedicated support through, buddies, mentors, pastoral care as well as networking opportunities.
  • \r\n
\r\n\r\n

The work you will do

\r\n\r\n

As an NIAA graduate, you will develop the skills, capabilities and networks to progress in your APS careers while contributing to implementing the Government’s priorities to provide the greatest benefit to all First Nations people. 

\r\n\r\n

It’s an incredibly exciting time to be joining the NIAA as we work in partnership to enable the self- determination and aspirations of First Nations people and communities. The Agency is unique, providing endless opportunities and great diversity in our roles, from policy, programs, engagement, grants administration and corporate, and much more. 

\r\n\r\n

The Operations and Delivery Stream offers challenging, interesting and stimulating work, engaging across all levels of government and working directly with the community and other invested stakeholders. The Operations and Delivery stream works to engage with First Nations communities, leadership and service providers to deliver outcomes in line with community aspirations on behalf of the Australian Government.

\r\n\r\n

Rotation opportunities in:

\r\n\r\n

•community engagement and consultation, regional strategy and policy including local and place-based initiatives, data and evaluation, grant design, administration and reporting of the Indigenous Advancement Strategy.

\r\n\r\n

You could be assisting with the following key pieces of work:

\r\n\r\n
    \r\n\t
  • Providing advice to the Minister and Assistant Minister for Indigenous Australians, as well as the Special Envoy for Reconciliation [GK1]  and the Implementation of the Uluru Statement from the Heart
  • \r\n\t
  • Implementation of the Uluru Statement from the Heart – Voice, Treaty and Truth.
  • \r\n\t
  • Working closely with Aboriginal and Torres Strait Islander communities, state and territory governments and Indigenous organisations
  • \r\n\t
  • Implementation of the National Agreement on Closing the Gap
  • \r\n\t
  • Developing policies and delivering programs with and for First Nations Peoples
  • \r\n\t
  • Working with and advising other government agencies on Indigenous affairs matters
  • \r\n\t
  • Championing reconciliation throughout Australia.
  • \r\n
\r\n\r\n

Who we’re looking for? 

\r\n\r\n

The NIAA has an ambitious reform agenda ahead of us, we seeking candidates that want to work at the NIAA because they are passionate and want to make a real difference by contributing to work that ensures Aboriginal and Torres Strait Islander peoples are heard, recognised and empowered.

\r\n\r\n

We are looking for a variety of academic disciplines with diverse experiences and backgrounds.  Our graduate roles are fast-paced, dynamic and present an exciting opportunity for someone with curiosity and a willingness to learn. 

\r\n\r\n

So if you are someone that wants to leave your mark on the public service and be able to point to an accomplishment that has lasting impacts for the Australian people, NIAA is the place for you.

\r\n\r\n

Did you know?

\r\n\r\n

The 2026 NIAA Graduate program has both an affirmative measures disability and affirmative measures Indigenous recruitment process. What does this mean? Affirmative measures are vacancies designed to address the under-representation of people who identify as having disability or as Aboriginal and/or Torres Strait Islander in the Australian Public Service (APS).

\r\n\r\n

Who can apply

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last eight years or be in your final year of study with at least a credit average.  

\r\n\r\n

You also must be an Australian citizen and willing to undergo police pre-screening checks as required. Be able to obtain and maintain an Australian Government security clearance to a minimum of Baseline level.

\r\n\r\n

Timeline

\r\n\r\n
    \r\n\t
  • 4 March - 22 April - Submission of a simple online application, including a 300-word pitch, resume with referees and academic transcript.
  • \r\n\t
  • May - Online video interview
  • \r\n\t
  • July - Virtual Assessment Centre including a speed interview, written activity and group activity.
  • \r\n\t
  • Referee checks
  • \r\n\t
  • September – Offers
  • \r\n\t
  • February 2026 - Successful candidates commence the program.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n

We have a real purpose with endless opportunities. 

\r\n\r\n

Leave your mark on the public service and apply today for the NIAA Graduate Program.

\r\n\r\n

To find out more please visit our website.

", - "company": { - "name": "National Indigenous Australians Agency (NIAA)", - "website": "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa", - "logo": "https://connect-assets.prosple.com/cdn/ff/OTPxfq07P3Q0axb7hNQnDYp5AIrHdL-Wr8YGc27goO4/1580832362/public/styles/scale_and_crop_center_80x80/public/2020-02/Logo-NIAA-745x745-2020.jpg" - }, - "application_url": "https://niaa.nga.net.au/cp/index.cfm?event=jobs.home&CurATC=NIAA&CurBID=AC113B92%2DCCAC%2D799D%2DE533%2DAD7111CC408D&persistVariables=CurATC%2CCurBID&rmuh=E1C0ED99AC06199C0E3BE1BDECFDA48DD471FE16", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa/jobs-internships/operations-and-delivery-stream-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-24T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NT", "QLD", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31c" - }, - "title": "Summer Naval Architecture Internship", - "description": "

At BAE Systems Australia 

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond. 

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:
\r\n
\r\nCollaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions. 

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a maritime enthusiast with a passion for ship design and naval engineering? BAE Systems welcomes aspiring engineers to set sail on a transformative experience as Naval Architecture Interns. Immerse yourself in cutting-edge projects, collaborate with industry leaders, and be an essential part of a team that sets the course for innovative solutions in maritime defence and security.

\r\n\r\n

What's in it for you?  

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family-friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US: 

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225856047&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-naval-architecture-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31d" - }, - "title": "BIM Cadet", - "description": "

As a BIM Cadet, you will be expected to provide BIM technical support to and assist in the development of the BIM team within the business. Your role will include investment in your own technical development and learning, whilst providing project technical BIM support to the senior leaders and wider office. 

\r\n\r\n

Minimum Requirements 

\r\n\r\n
    \r\n\t
  • Fluent written and spoken English 
  • \r\n\t
  • Introduction to building information modelling (BIM) in construction (TAFE NSW)
  • \r\n
\r\n\r\n

Key Responsibilities 

\r\n\r\n

Cultural:

\r\n\r\n
    \r\n\t
  • Be available within the office and online such that you can adequately interact with other team members to fast track your development and to contribute to an exciting work culture 
  • \r\n\t
  • Demonstrate a positive approach and willingness to support other people within the organisation at all levels. Look to motivate others with this behavior. 
  • \r\n\t
  • Encouraged to participate in social and team building events.
  • \r\n\t
  • Promote a culture of exceptional service and positive can-do attitude to internal and external stakeholders
  • \r\n\t
  • Maintain a professional appearance. 
  • \r\n\t
  • Demonstrate passion and pride in your work 
  • \r\n\t
  • Show a willingness to progressively assume more responsibility and ensure your skills are developing in line with your responsibilities. 
  • \r\n\t
  • Positively and proactively encourage staff to maintain exceptional service. 
  • \r\n\t
  • Join and provide input to internal meetings and training. 
  • \r\n\t
  • Personally check work conducted and provide encouragement to the team. 
  • \r\n\t
  • Value open, honest, and constructive communication and discussion.
  • \r\n
\r\n\r\n

Technical:

\r\n\r\n
    \r\n\t
  • Actively develop your knowledge of applicable standards and guidelines relating to electrical BIM design
  • \r\n\t
  • Learn and then produce detailed drawings in line with industry standards and Collective Engineering standards
  • \r\n\t
  • Actively develop your technical expertise in BIM design, together with developing an appreciation of other disciplines (Electrical, fire protection, Mechanical, Hydraulic, lifts)
  • \r\n\t
  • Actively develop your understanding of project risks and how to manage them appropriately 
  • \r\n\t
  • Proactively manage personal workload and actively interact with your manager to drive a balanced and enjoyable work place
  • \r\n\t
  • Develop your ability to produce high quality drawings/documents with an understanding of the contractual requirements
  • \r\n\t
  • Proactively collaborate with other employees and facilitate knowledge sharing
  • \r\n\t
  • Timely saving of all relevant information in a manner that is aligned with company policies
  • \r\n\t
  • Ensure all interactions with internal and external stakeholders is aligned with and reinforces the Collective Engineering brand of exceptional service and high-quality delivery
  • \r\n\t
  • Proactively co-ordinate with other disciplines 
  • \r\n\t
  • Develop your capability to prepare technical documentation for projects including floor plan and isometrics, schematics , sections, details, coordinated services drawings, drawing reports, and submissions
  • \r\n\t
  • Assist in coordinating priorities and deadlines for drawing production with Project team
  • \r\n\t
  • Bring value by contributing to internal design team meetings. 
  • \r\n\t
  • Support a culture of innovation and continuous improvement by providing input into improvement to procedures and standards. 
  • \r\n\t
  • Contribute to project planning and execution through estimation of resourcing. Communicate and report back frequently on progress against resource estimates to enable smooth delivery of tasks and projects.
  • \r\n\t
  • Assist to identify, improve, implement, and manage BIM/Revit programming/customisation opportunities and actively interact with the BIM & Innovation Manager on the implementation of automation and customisations. 
  • \r\n\t
  • Follow QA, document control, and organisation guidelines on all work
  • \r\n\t
  • Complete suitable design tasks within your skillset and experience level. 
  • \r\n\t
  • Manage your time and priorities to maximise productivity and efficiency.
  • \r\n\t
  • Effectively communicate with stakeholders through clear written and verbal presentations. 
  • \r\n\t
  • Take ownership for all tasks within your experience, capability, and training level. Identify task risks that are outside of your skillset.
  • \r\n
\r\n\r\n

Leadership:

\r\n\r\n
    \r\n\t
  • Develop your communication skills in interacting with Clients and stakeholders
  • \r\n\t
  • Assist, train, and mentor other staff members within your level of expertise
  • \r\n\t
  • Assist in promoting reasonable program and quality expectations to both internal and external stakeholders. 
  • \r\n\t
  • Develop your ability to take ownership of components of projects to ensure Client service expectations and commitments are met. Develop your ability to manage internal team members and external parties to manage service expectations and commitments. 
  • \r\n\t
  • Encourage and contribute to a culture of technical, workflow and QA improvement. 
  • \r\n
\r\n\r\n

Key requirements for performance assessment 

\r\n\r\n
    \r\n\t
  • Internal stakeholder satisfaction 
  • \r\n\t
  • External stakeholder satisfaction 
  • \r\n\t
  • Ability to deliver on time and meet workload requirements. 
  • \r\n\t
  • Increasing technical, personal and management skills as career develops.
  • \r\n\t
  • Compliance with organisation QA, workflow and review and verification procedures. 
  • \r\n\t
  • Reliability and professional work ethic. 
  • \r\n\t
  • Commitment to engage with the leadership team and consistency in demonstrating a positive work ethic. 
  • \r\n\t
  • Engaging and contributing to a culture of excellence and improvement within the section. 
  • \r\n\t
  • Project delivery efficiency
  • \r\n
\r\n\r\n
 
\r\n\r\n
    \r\n
", - "company": { - "name": "Collective Engineering", - "website": "https://au.prosple.com/graduate-employers/collective-engineering", - "logo": "https://connect-assets.prosple.com/cdn/ff/a9xkExy8ztc3VHrHmXCMDEhZeE31SagMkgpE0Nmhv0k/1724216182/public/styles/scale_and_crop_center_80x80/public/2024-08/logo-collective-engineering-480x480-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/collective-engineering/jobs-internships/bim-cadet" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-22T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Property & Built Environment" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31e" - }, - "title": "Graduate Recruitment Consultant – Renewables / Engineering", - "description": "LVI Associates is a globally recognized specialist recruitment company operating within the Infrastructure and Energy markets across the world.", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-graduate-recruitment-consultant-renewables-engineering-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Radiography and Medical Imaging", - "Recruitment", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee31f" - }, - "title": "Graduate LiveNet Backend R&D Engineer", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Team Introduction

\r\n\r\n

Video Cloud Infra team, facing business experience and cost, builds a competitive video transmission network and multimedia processing platform, builds data foundation and analysis capabilities, drives product refined operation, reduces costs and increases efficiency. We are seeking a talented Backend Software Engineer to join our Live CDN team at TikTok. As a Backend Software Development Engineer, you will be responsible for developing and maintaining our Live CDN platform, which powers live streaming services for millions of users worldwide. You will also be responsible for designing and implementing the architecture for the platform, with a focus on automating and simplifying configuration functionality to improve reliability, usability, and flexibility.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the research and development of LiveNet backend services, develop basic service components , solve common needs, and reduce repetitive development and operation and maintenance.
  • \r\n\t
  • Participate in Design System technical solutions , core code development and system tuning.
  • \r\n\t
  • Participate in formulating code specifications, testing specifications, and improving project quality.
  • \r\n\t
  • Participate in special project technology research, new technology introduction and other forward-looking projects.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year student or recent graduate (within the last 12 months) from a Bachelor's program in Software Development, Computer Science, Computer Engineering, or a closely related technical field
  • \r\n\t
  • Proficient in at least one programming language, such as Java, C, C++, PHP, Python, or Go
  • \r\n\t
  • Solid foundation in computer science fundamentals, including in-depth knowledge of data structures, algorithms, and operating system concepts
  • \r\n\t
  • Strong logical reasoning and analytical abilities to effectively abstract and break down complex business logic
  • \r\n\t
  • Excellent learning aptitude and effective communication skills, both written and verbal
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Active contributions to open-source projects or personal coding initiatives
  • \r\n\t
  • Demonstrated technical curiosity and passion for continuous learning and growth
  • \r\n\t
  • Knowledge of software design patterns and architectural principles
  • \r\n\t
  • Familiarity with agile software development methodologies
  • \r\n\t
  • Experience with version control systems, such as Git
  • \r\n\t
  • Ability to collaborate effectively within a team environment
  • \r\n\t
  • Strong attention to detail and commitment to writing clean, maintainable code
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7280693071417772325?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-livenet-backend-rd-engineer-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee320" - }, - "title": "Backend Engineer Intern", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

TikTok Live client team has been focusing on delivery engaging and the best live streaming experience to global users. Our team develops creative and interesting features for streamers and viewers to express themselves and interact with others instantly. We are looking for passionate software engineers to join us in this fast growing industry.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.
\r\nApplications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Collaborate with Software engineers and other cross-functional teams on delivering key results;
  • \r\n\t
  • Design technical solutions with team members;
  • \r\n\t
  • Implement technical solutions to support business requirements.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Undergraduate or Postgraduate currently pursuing a Degree/Master/PhD in Software Development, Computer Science, Computer Engineering, or a related technical discipline;
  • \r\n\t
  • Prior experience working with languages like Golang, Python, Java, C++ or C
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Strong experience with Data Structures and Algorithms;
  • \r\n\t
  • Strong communication and teamwork skills.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7402264433383442738?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-engineer-intern-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee321" - }, - "title": "Graduate Program", - "description": "
    \r\n\t
  • Starting salary package: $94,888.79 (inclusive of superannuation)
  • \r\n\t
  • Located in Sydney or Newcastle
  • \r\n\t
  • Join us in leading the transition to a clean energy future
  • \r\n
\r\n\r\n

The Opportunity 

\r\n\r\n

Are you ready to embark on an engaging and dynamic career journey that promises growth, learning, and the chance to contribute to groundbreaking developments in the National Electricity Market?

\r\n\r\n

Transgrid invites you to apply for our Graduate Program, designed to ignite your potential and prepare you for a rewarding career ahead.  

\r\n\r\n

As a Transgrid graduate you will:  

\r\n\r\n
    \r\n\t
  • Undertake four 6-month rotations in key areas of your stream
  • \r\n\t
  • Be supported by mentors, buddies and leaders
  • \r\n\t
  • Access internal and external development opportunities to enhance professional knowledge and skills
  • \r\n\t
  • Receive on-the-job training and supportive transition into the new role
  • \r\n\t
  • Challenge yourself and ensure you contribute to the business
  • \r\n\t
  • Be guaranteed a permanent position after the program
  • \r\n
\r\n\r\n

What you can expect from us: 

\r\n\r\n
    \r\n\t
  • Structured leadership and development programs
  • \r\n\t
  • On the job training and supportive transition into the role
  • \r\n\t
  • Hybrid and flexible work arrangements available/ 9 day fortnight work pattern
  • \r\n\t
  • 20 weeks Parental Leave (includes adoption)
  • \r\n\t
  • 2 weeks Other Parent Leave
  • \r\n\t
  • Annual picnic day (additional day off)
  • \r\n\t
  • Salary sacrifice options for superannuation and motor vehicles (subject to ATO requirements)
  • \r\n\t
  • 15.5% Superannuation
  • \r\n\t
  • 18 days’ personal leave (sick /carer’s leave)
  • \r\n\t
  • Moving leave
  • \r\n\t
  • Emergency/disaster leave
  • \r\n\t
  • Employee Support Networks including, Energise (supporting women at Transgrid), Rise (employees who identify as LGBTQIA+) and Yarn Up (Aboriginal and Torres Strait Islander employees)
  • \r\n
\r\n\r\n

To be eligible for consideration for the Graduate Program, you must: 

\r\n\r\n
    \r\n\t
  • Hold a University Qualification
  • \r\n\t
  • Demonstrate ability to manage priorities and meet deadlines
  • \r\n\t
  • Exhibit environmental and socially responsibility
  • \r\n\t
  • Possess qualities of a team player, including motivation and willingness to learn
  • \r\n\t
  • Demonstrate lateral thinking and the ability contribute to innovative solutions for complex problems
  • \r\n\t
  • Excel in collaboration with others
  • \r\n\t
  • Communicate clearly
  • \r\n\t
  • Show appreciation for and sensitivity to difference and diversity
  • \r\n\t
  • Be an Australian or New Zealand permanent resident or citizen, OR hold a suitable Permanent Employment Visa
  • \r\n\t
  • Be a current University Graduate or expected to Graduate by the end of 2025
  • \r\n
\r\n\r\n

The recruitment process: 

\r\n\r\n

Step 1: Eligibility 

\r\n\r\n

Confirm your eligibility for the business area you are applying for, including appropriate degree required for the role.  

\r\n\r\n

Step 2: Submit application 

\r\n\r\n

Create a profile on our careers site and submit your application. 

\r\n\r\n

NOTE: You must upload a resume, however a cover letter is not required. 

\r\n\r\n

Step 3: Screening 

\r\n\r\n

The recruitment team will review your application and notify you if your application is considered unsuccessful. 

\r\n\r\n

Step 4: Online testing 

\r\n\r\n

If you are successfully screened, you will be sent an email to complete online cognitive testing, inclusive of a 12-minute online test for numeracy, literacy and abstract reasoning.  

\r\n\r\n

Step 5: Online video interview 

\r\n\r\n

If you have successfully passed the benchmark for the online cognitive testing, you will be invited by email to complete your online one-way video interview consisting of 3 questions related to your interest in the program, situational awareness and resolving problems.  

\r\n\r\n

Step 6: Shortlisting 

\r\n\r\n

The recruitment team will review your online video interview and notify you if your application is considered unsuccessful. 

\r\n\r\n

Step 7: Assessment Centre 

\r\n\r\n

If you are successfully shortlisted, you will be invited to attend our in-person Assessment Centre which will be held in Parramatta in May 2024.  

\r\n\r\n

Step 8: Pre-Employment Checks 

\r\n\r\n

Successful candidates from the Assessment Centre will be invited to complete pre-employment checks. 

\r\n\r\n

NOTE: Reserve candidates will also be invited to complete pre-employment checks. 

\r\n\r\n

Step 9: Offer of Employment 

\r\n\r\n

Successful candidates will be contacted and made a verbal offer of employment, which will be followed by a formal offer that will be sent by email.  

\r\n\r\n

Who we are 

\r\n\r\n

At Transgrid, our work improves the lives of millions – from lighting up sports fields, schools and homes, to powering the wheels of commerce and everything else in between. Now it’s your turn to make it happen.  
\r\n 
\r\nTransgrid offer fulfilling careers for driven people who can help ensure that our business and the essential services we provide to consumers, the community and key stakeholders are continually improving. With us you will thrive in a collaborative environment where new ideas and knowledge sharing are encouraged, and where you’ll be supported through opportunities to develop and achieve your full potential. 
\r\n 
\r\nThis is an exciting time in the energy industry with the transition to renewable energy. Recent government policy documents outline plans to facilitate increasing transmission interconnection between states and the development of renewable energy zones. 
\r\n 
\r\nJoin us and make it happen for your career, and for the millions of Australians who rely on our services every day. 

", - "company": { - "name": "Transgrid", - "website": "https://au.prosple.com/graduate-employers/transgrid", - "logo": "https://connect-assets.prosple.com/cdn/ff/WvIChGB6nmaxX5hgADntd_C31gRDbPexrkSJrgrMQo8/1633148305/public/styles/scale_and_crop_center_80x80/public/2021-10/1633070980720_Sqaure%20logo.JPG" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/transgrid/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee322" - }, - "title": "Trade Development Intern #GeneralInternship", - "description": "We are dedicated to fostering an equitable and forward-thinking work environment where our employees experience a strong sense of Belonging, to make meaningful Impact and Grow both personally and professionally.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Trade-Development-Intern-GeneralInternship-Sing/1050894466/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-trade-development-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee323" - }, - "title": "Casual Crew Events", - "description": "

Join Our Team!
\r\n
\r\nAre you looking for an exciting opportunity to work in the dynamic world of event management? Look no further!
\r\nWe are currently seeking enthusiastic individuals to join our team in the set-up and take-down of luxury marquees and tipis for unforgettable events.
\r\nAs a member of our team, you'll play a crucial role in creating stunning event spaces, providing the perfect backdrop for weddings, corporate gatherings, and special occasions. From erecting elegant marquees to assembling charming tipis, your attention to detail and dedication will help us exceed our client's expectations every time.
\r\nWhat we offer

\r\n\r\n
    \r\n\t
  • Competitive wages
  • \r\n\t
  • Flexible scheduling
  • \r\n\t
  • Opportunities for growth and advancement
  • \r\n\t
  • A supportive team environment
  • \r\n\t
  • The chance to be part of unforgettable events and celebrations
  • \r\n
\r\n\r\n

Requirements

\r\n\r\n
    \r\n\t
  • Strong work ethic and reliability
  • \r\n\t
  • Ability to work efficiently in a fast-paced environment
  • \r\n\t
  • Physical stamina for lifting and moving equipment
  • \r\n\t
  • Willingness to work outdoors in various weather conditions
  • \r\n\t
  • Previous experience in event setup or related fields preferred but not required
  • \r\n
\r\n\r\n

Join us and be part of creating magical moments that last a lifetime! To apply, please send your resume and a brief cover letter outlining your interest in the position to
\r\nleanne@matakata.com.au

\r\n\r\n

We can't wait to welcome you to our team!

", - "company": { - "name": "Matakata Events", - "website": "https://au.prosple.com/graduate-employers/matakata-events", - "logo": "https://connect-assets.prosple.com/cdn/ff/K37PKuPJG-nNYdETWzst3uI25zT8Yw1C43RI6hb45Lo/1732153172/public/styles/scale_and_crop_center_80x80/public/2024-11/logo-matakata-480x480-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/matakata-events/jobs-internships/casual-crew-events" - ], - "type": "FIRST_YEAR", - "close_date": { - "$date": "2025-06-05T23:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee324" - }, - "title": "Graduate Engineer - Integrity Management (Brisbane)", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:

\r\n\r\n
    \r\n\t
  • Assist senior engineers with research, testing, and project tasks.
  • \r\n\t
  • Learn and adhere to Wood's processes and procedures.
  • \r\n\t
  • Collaborate with cross-functional teams on engineering projects.
  • \r\n\t
  • Debug and troubleshoot systems and products.
  • \r\n\t
  • Prepare reports and presentations for stakeholders.
  • \r\n\t
  • Develop client proposals and scopes of work.
  • \r\n\t
  • Implement asset integrity management programs.
  • \r\n\t
  • Evaluate asset information for hazards and risk mitigation.
  • \r\n\t
  • Assess damage mechanisms in oil and gas industries.
  • \r\n\t
  • Use data tools to identify trends and equipment health concerns.
  • \r\n\t
  • Develop KPIs and performance metrics for system integrity.
  • \r\n\t
  • Create maintenance strategies using reliability-centered maintenance.
  • \r\n\t
  • Update Computerised Maintenance Management Systems (CMMS).
  • \r\n\t
  • Conduct fitness for service assessments.
  • \r\n\t
  • Configure Integrity Management Database Systems.
  • \r\n\t
  • Develop client reports with results and recommendations.
  • \r\n\t
  • Manage small projects from start to finish following Wood’s Quality Management System.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • Completed a Mechanical, Chemical, Process, or Electrical Engineering degree by the end of 2024.
  • \r\n\t
  • Additional qualifications in Commerce, Business, or Data Analytics are advantageous.
  • \r\n\t
  • Proficiency in engineering software and computer literacy.
  • \r\n\t
  • Strong attention to detail for creating accurate designs and specifications.
  • \r\n\t
  • Excellent teamwork and collaboration skills.
  • \r\n\t
  • Adaptability to new technologies and techniques.
  • \r\n\t
  • Strong problem-solving and analytical skills.
  • \r\n\t
  • Effective communication skills for technical information.
  • \r\n\t
  • Commitment to continuous learning and creativity.
  • \r\n\t
  • Analytical and logical thinking abilities.
  • \r\n\t
  • Leadership skills and respect for health and safety protocols.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Offers competitive compensation and benefits, including flexible work hours, remote work options, health and wellness programs, and employee discounts.

\r\n\r\n

Training & development

\r\n\r\n

Provides opportunities for learning and development, access to a global mentoring program, and continuous professional development support.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement and growth within Wood's global network, with exposure to diverse and complex engagements in the energy industry.

\r\n\r\n

How to apply

\r\n\r\n

To apply, submit your CV and academic transcript. Ensure eligibility by holding Australian citizenship, Permanent Residency, or a valid work visa in Australia.

", - "company": { - "name": "Wood.", - "website": "https://au.prosple.com/graduate-employers/wood", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ao08wd7bERC4aWvtg3jztX7ECiuanfSeGa3JyK4IvsA/1626755208/public/styles/scale_and_crop_center_80x80/public/2021-07/logo_wood_480x480.jpg" - }, - "application_url": "https://ehif.fa.em2.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1/job/4630/?keyword=graduate&mode=location", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/wood/jobs-internships/graduate-engineer-integrity-management-brisbane" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee325" - }, - "title": "Graduate Software Engineer", - "description": "

Xero is a beautiful, easy-to-use platform that helps small businesses and their accounting and bookkeeping advisors grow and thrive. 

\r\n\r\n

At Xero, our purpose is to make life better for people in small business, their advisors, and communities around the world. This purpose sits at the centre of everything we do. We support our people to do the best work of their lives so that they can help small businesses succeed through better tools, information and connections. Because when they succeed they make a difference, and when millions of small businesses are making a difference, the world is a more beautiful place.

\r\n\r\n

Our eligibility criteria for the graduate program:

\r\n\r\n
    \r\n\t
  • Full-time working rights
  • \r\n\t
  • Fewer than 12 months professional working experience in relevant industries
  • \r\n\t
  • Availability to start full-time in February 2026
  • \r\n
\r\n\r\n

For more information, head over to our grad and intern website.

\r\n\r\n

The role

\r\n\r\n

As a graduate engineer you’ll have the opportunity to rotate through different specialisations in both product and platform teams. 

\r\n\r\n

In our product teams we innovate new features, fix bugs, and enhance functionality. Our teams are made up of front-end and back-end specialists, we work on desktop and mobile applications, and do full-stack development. 

\r\n\r\n

In our platform teams we build things that last a long time and that everyone relies on. Rotations include platform development, site and data reliability, development, architecture, integration, and platform-as-a-service engineers.

\r\n\r\n

With a choice of rotations throughout the grad year, you’re empowered to drive your own learning and explore different teams and ways of working. This will help you decide what is most important to you at this stage of your career and what you’d like to focus on.

\r\n\r\n

What we’d like to see from you. Ideally you’ll:

\r\n\r\n
    \r\n\t
  • be able to take a logical approach to work and cope well with change
  • \r\n\t
  • be a great communicator who likes working in agile teams
  • \r\n\t
  • like working with servers or data, and if you like to script or write code then that’s a great combo
  • \r\n\t
  • love problem solving, thinking on your feet, helping other people and taking the initiative
  • \r\n\t
  • enjoy investigating why things work, not just how they work
  • \r\n\t
  • enjoy building solutions for other Xero staff, removing pain points and making their lives easier
  • \r\n
\r\n\r\n

As a graduate engineer, you’ll get:

\r\n\r\n
    \r\n\t
  • three rotations across the technology teams in your grad year
  • \r\n\t
  • access to learning programs to build on your professional and technical skills
  • \r\n\t
  • support from your mentors, managers and the grad team
  • \r\n\t
  • networking opportunities across our global teams
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n

If this sounds like you, we'd love to hear from you! However please keep in mind that due to the number of applications we receive, we ask that you only apply for one role in one location. Please take some time to research each opportunity available before submitting your application.

\r\n\r\n

If you are eligible for this role and you pass the initial eligibility stage, you will be sent a selection of online assessments (behavioural and technical) as well as a video interview via Talegent. If successful from our online assessments, you will be invited to a Grad Day which will include technical and soft skills interviews, as well as group and individual challenges. Our Grad Days will be held from late September through to early October.

\r\n\r\n

Why Xero?

\r\n\r\n

At Xero we support many types of flexible working arrangements that allow you to balance your work, your life and your passions. We offer a great remuneration package including shares plus a range of leave options to suit your well-being. Our work environment encourages continuous improvement and career development and you’ll get to work with the latest technology.  

\r\n\r\n

Our collaborative and inclusive culture is one we’re immensely proud of. We know that a diverse workforce is a strength that enables businesses, including ours, to better understand and serve customers, attract top talent and innovate successfully. We are a member of Pride in Diversity, in recognition of our inclusive workplace. So, from the moment you step through our doors, you’ll feel welcome and supported to do the best work of your life.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Xero Australia", - "website": "https://au.prosple.com/graduate-employers/xero-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/KVaT4twSLI6xmGq9GgeTi6jKK_xWDbKN4mpISIUzHeQ/1710820238/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-xero-480x480-2024.jpg" - }, - "application_url": "https://lp.prosple.com/xero-au-graduate-software-engineer/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/xero-australia/jobs-internships/graduate-software-engineer-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee326" - }, - "title": "ITE1 - ITE2 Technical Specialist, Physical Access and Collection", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need 
\r\ntalented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

In this role, you will develop required capabilities, working closely with internal stakeholders and industry partners to provide technical solutions to resolve some of our most complex collection tasks.

\r\n\r\n

Pending attainment of operational qualifications, you will deploy these capabilities as part of a larger operational team of highly professional specialists to directly support ASIO’s mission. 

\r\n\r\n

As a physical access and collection specialist (ITE1/2) you will leverage your existing technical expertise and develop your experience in the application of this to complimentary technologies that enable us to both access and collect intelligence. You will be able to grow and apply your skills across a range of technical functions with a focus on successful deployment of access and collection solutions. 

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a physical access and collection specialist in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Develop your experiences in the planning, preparation, approvals and execution of physical access and collection operations.
  • \r\n\t
  • Collaborate with industry partners to develop capability that enables physical access and collection in ASIO.
  • \r\n\t
  • Conduct capability testing and work with other internal stakeholders to coordinate end-to-end operational testing of physical access and collection solutions. 
  • \r\n\t
  • Oversee the in-field deployment of physical access and collection capabilities during ASIO operational activities. This may require periodic interstate travel and outside standard working hours activity.
  • \r\n\t
  • Gain unique insights into the challenges of meeting physical access and collection requirements, the niche capabilities deployed and the efforts you and your team will go to in order to succeed.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes: 

\r\n\r\n
    \r\n\t
  • Strong interpersonal skills with a focus on teamwork, attention to detail and a growth mindset.
  • \r\n\t
  • Strong communication skills and an ability to develop and maintain strong productive working relationships at all levels.
  • \r\n\t
  • Well organised and motivated, with a demonstrated ability to think critically and problem solve when working in high tempo environments.
  • \r\n\t
  • A willingness to leave your comfort zone, learn from others and contribute through your own unique strengths.
  • \r\n\t
  • Ideally hold one or more of the following qualifications:\r\n\t
      \r\n\t\t
    • Information Technology
    • \r\n\t\t
    • Computer Science
    • \r\n\t\t
    • Network, Electrical or Mechanical Engineering
    • \r\n\t\t
    • Information security degree (with security related subjects)
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Ideally be interested and/or experienced in one or more of the following:\r\n\t
      \r\n\t\t
    • Software development / programming
    • \r\n\t\t
    • Linux / ARM development
    • \r\n\t\t
    • Data recovery / forensic tools
    • \r\n\t\t
    • iOS / Android file systems and encryption
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available.) 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n\t
  • Significant training and development opportunities.
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance. 
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra. Relocation assistance is provided to successful candidates where required. 

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience 
  • \r\n\t
  • meet the requirements.
  • \r\n\t
  • A current CV, no more than 2-3 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 3 February 2025 at 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-technical-specialist-physical-access-and-collection" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee327" - }, - "title": "Cyber Engineering Internship", - "description": "

At BAE Systems we are recognised for delivering projects of global and national significance to our customers and with this we are known for developing some of the most impressive careers. We are an opportunity rich environment with numerous projects across multiple domains.

\r\n\r\n

Our aim is to bring you on board and deploy you to where your expertise is most needed. With numerous activities, if you join, we're keen to retain you long term through giving you scope to explore some of the great projects we have.

\r\n\r\n

As the preferred pathway into our 2026 Graduate program, we have Summer Internship opportunities available for a range of Engineering disciplines! 

\r\n\r\n

It’s an exciting time to join us and a great place to start your career.

\r\n\r\n

Our Cyber Engineer Intern roles are open in VIC

\r\n\r\n

We also have opportunities available in SA, VIC, NSW, ACT for the following disciplines:

\r\n\r\n
    \r\n\t
  • Aerospace
  • \r\n\t
  • Mechanical
  • \r\n\t
  • Mechatronics
  • \r\n\t
  • Software
  • \r\n\t
  • Systems
  • \r\n\t
  • Electrical
  • \r\n\t
  • Electronics
  • \r\n\t
  • Naval Architecture
  • \r\n\t
  • Structural
  • \r\n\t
  • ICT (Information Communications Technology)
  • \r\n
\r\n\r\n

Please be mindful to check the location of your preferred role prior to applying.

\r\n\r\n

About you:

\r\n\r\n

To be eligible to apply, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field. 

\r\n\r\n

We are looking for candidates that have the following skills:

\r\n\r\n
    \r\n\t
  • An ability to work individually and collaborate with others as a part of a team
  • \r\n\t
  • Effective communication - both written and verbal
  • \r\n\t
  • Behaviours that demonstrate integrity, respect and honesty
  • \r\n\t
  • A positive attitude and enthusiasm to grow and develop in your chosen field
  • \r\n\t
  • Initiative to problem solve and be proactive in engaging in the tasks of your role
  • \r\n\t
  • An ability to use the knowledge and technical skills you have gained from your studies, while building on them over the 12 weeks
  • \r\n\t
  • Transferrable skills, both technical & behavioural
  • \r\n
\r\n\r\n

What's in it for you?  As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Fast-tracked opportunities into our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and policies
  • \r\n
", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://lp.prosple.com/bae-systems-electrical-engineering-internship/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/cyber-engineering-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T14:29:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee328" - }, - "title": "2025/26 Summer Intern Program", - "description": "

Activate Your Career

\r\n\r\n

We are now inviting early expressions of interest for our 2025/2026 Summer Internships which will commence in November 2025.

\r\n\r\n

No matter where your career takes you, our Summer Intern Program aims to provide you with the foundations you need to grow and succeed. Our paid eight-week program is a great way to explore a career with ANZ, and gain invaluable experience.

\r\n\r\n

We’re interested in people from diverse backgrounds, who are excited to be part of an industry that’s rapidly transforming for a digital and social world. People who want to make a difference for our customers, culture and community.

\r\n\r\n

Completion of the program may even lead to an early offer for our 2027 Graduate Program.....

\r\n\r\n

Get a Head Start on Your Application Today....

\r\n\r\n

To express your interest simply click on apply now and submit your details... 

\r\n\r\n

We will be in touch to let you know when we formally open applications June/July 2025

\r\n\r\n

In the meantime, please explore further details of our program and life at anz on our careers site.

", - "company": { - "name": "ANZ", - "website": "https://au.prosple.com/graduate-employers/anz", - "logo": "https://connect-assets.prosple.com/cdn/ff/2jQZ-PXEa6XC232IMQAInaaRfPlfU85uOpGHE_0sNHs/1719897058/public/styles/scale_and_crop_center_80x80/public/2024-07/1719897053585_Avatar-instagram-320.jpg" - }, - "application_url": "https://careers.anz.com/job-invite/73556/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/anz/jobs-internships/202526-summer-intern-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-11T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee329" - }, - "title": "Graduate Intelligence Program", - "description": "

MPS Graduate Intelligence Program

\r\n\r\n

The Mitchell Personnel Solutions (MPS) Graduate Intelligence Program offers unique learning experiences and career development working with the Australian Government Security Vetting Agency. 

\r\n\r\n

MPS is the winner of various awards including Recommended Employer, Telstra Small Business Champion and Service Excellence. 

\r\n\r\n

About Mitchell Personnel Solutions

\r\n\r\n

MPS is a leading provider of personnel security vetting to the Commonwealth Government of Australia. MPS has built a business that empowers its people. We invest in our people and support them to develop their career. 

\r\n\r\n

At MPS we are strong believers in the importance of security vetting and its place as a frontline defence against threats to the security of both the Nation and the Australian Government. With a workplace focused on wellbeing, we have built a diverse team of highly skilled and engaged staff. 

\r\n\r\n

Over its 17+ years in business, MPS has been a trusted partner with the Australian Government as a panel member supporting the Australian Government Security Vetting Agency (AGSVA). 

\r\n\r\n

Your role

\r\n\r\n

You’ll start as a permanent employee and complete a dynamic training and development program over 12 months that will give you a thorough understanding of the business of intelligence, security vetting and Australia’s national security. The types of work, training and development opportunities you complete, as a Security Vetting Analyst, will be focused on Positive Vetting, specialising in Intelligence and industry ‘best practice’.

\r\n\r\n

Your role will be a Security Vetting Analyst where you will make assessments and recommendations about an individual’s suitability to hold a security clearance in accordance with minimum standards set by the Protective Security Policy Framework (PSPF), and other policies and guidelines.

\r\n\r\n

As a Security Vetting Analyst you will:

\r\n\r\n
    \r\n\t
  • Undertake the vetting security clearance process for allocated cases within specified benchmark timeframes;
  • \r\n\t
  • Research, organise and conduct face-to-face interviews;
  • \r\n\t
  • Perform detailed analysis and assessment and make recommendations in a high-level written report of a candidate’s suitability to hold a security clearance;
  • \r\n\t
  • Identify and assess risks and anomalies;
  • \r\n\t
  • Develop and maintain effective relationships with key internal and external stakeholders;
  • \r\n\t
  • Be responsive to feedback;
  • \r\n\t
  • Work to tight deadlines;
  • \r\n\t
  • Have strong interpersonal and communication skills, a high attention to detail and accuracy, and high levels of integrity and discretion; and
  • \r\n\t
  • Contribute to shared knowledge with colleagues.
  • \r\n
\r\n\r\n

What we offer

\r\n\r\n

No matter your interest, whether it is in personnel vetting, intelligence, national security or foreign affairs, our graduate program will prepare you for a rich and rewarding career with future pathways to working within the Australian Federal Government across the Australian Intelligence Community. As a graduate, you’ll have access to a competitive remuneration package that includes compensation for the obligations of maintaining a security clearance and working in a secure environment. During the program, you will be provided with: 

\r\n\r\n
    \r\n\t
  • Practical learning opportunities with exposure to all aspects of the organisation
  • \r\n\t
  • Targeted training and development, including experiential, social and foundational learning
  • \r\n\t
  • An inclusive working environment with social events connecting all graduates
  • \r\n\t
  • Pastoral care from a dedicated graduate coordinator
  • \r\n\t
  • Access to employee and professional networks
  • \r\n\t
  • Wellbeing support
  • \r\n
\r\n\r\n

Learning and Development

\r\n\r\n

Working at MPS not only expands your skillset in personnel vetting and intelligence, but it also provides an opportunity to broaden your understanding of the world, and Australia’s place within it. With various future pathways available, MPS are committed to targeted training and development to each of our graduate’s personal career ambitions. 

\r\n\r\n

Flexible working arrangements: 

\r\n\r\n
    \r\n\t
  • Standard work hours for full-time employees is 7 hours, 30 minutes per day
  • \r\n
\r\n\r\n

Support and Wellbeing:

\r\n\r\n
    \r\n\t
  • Tailored Wellbeing Program, including:\r\n\t
      \r\n\t\t
    • an Employee Assistance Program (EAP) for confidential counselling, advice and support for both professional and personal matters
    • \r\n\t\t
    • monthly Wellbeing@Work sessions on a range of topics
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

Who are we looking for? 

\r\n\r\n

MPS is looking for both generalist and specialist graduates that have a genuine interest in national security and intelligence, problem-solving, critical thinking and innovation. Whether you are studying international relations, arts, economics, cyber security, policy, education or business, MPS is looking for creative and energetic graduates with a range of skill sets from all academic backgrounds. This program is a rare opportunity to begin a rich and rewarding career.

\r\n\r\n

Eligibility requirements 

\r\n\r\n
    \r\n\t
  • Australian citizenship
  • \r\n\t
  • Completed an undergraduate and post-graduate university degree within the past 5 years
  • \r\n\t
  • The ability to demonstrate high levels of professional conduct and personal integrity
  • \r\n\t
  • Enthusiasm, excellent interpersonal skills and sound judgement
  • \r\n\t
  • The ability to obtain and hold a high-level national security clearance
  • \r\n\t
  • The ability to complete a certificate IV in Security (Personnel Vetting)
  • \r\n
\r\n\r\n

Culture & vibe

\r\n\r\n

MPS are committed to developing a workforce that represents the diversity of Australian culture and builds on the skills of each of the other personnel. MPS prides themselves on their peer-to-peer support and buddy program, as well as having an open and honest agile work environment. We strongly encourage applications from Indigenous Australians and people with disability. 

\r\n\r\n

Key Dates

\r\n\r\n

2025 Graduate Program - to be announced.

\r\n\r\n

How to apply 

\r\n\r\n

To apply for this role, simply click the button below. 
\r\n
\r\nYou will be required to submit the following as part of the application:

\r\n\r\n
    \r\n\t
  • Current CV including details of 2 referees
  • \r\n\t
  • Academic Transcript
  • \r\n\t
  • Statement of claims (in response to below questions - no more than 250 words per question)
  • \r\n
\r\n\r\n
    \r\n\t
  1. Outline why you are applying for this role, how you feel your experience or studies have prepared you for this role and how are these transferable to the role of a Security Vetting Analyst?
  2. \r\n\t
  3. Provide an example where you have had to rely on your effective verbal or written communication skills to negotiate an outcome or make a recommendation based on available information.
  4. \r\n\t
  5. Provide an example where you have had to complete a body of work that required you to work autonomously, with flexibility and effective time management.
  6. \r\n\t
  7. Can you describe the nature of national security and what you believe to be your responsibilities?
  8. \r\n
\r\n\r\n

Please do not tell anyone about your application with the organisation at this stage of the process as doing so may harm your suitability for employment with MPS.

\r\n\r\n

You may be contacted via SMS regarding the next stage of the process.

\r\n\r\n

A merit list will be established for candidates who are suitable and will remain valid for a period of 12 months.

", - "company": { - "name": "Mitchell Personnel Solutions", - "website": "https://au.prosple.com/graduate-employers/mitchell-personnel-solutions", - "logo": "https://connect-assets.prosple.com/cdn/ff/1_L5qTkK5rdEL89iml-RsAjogDfVVsVfnPCbUI-IIq4/1707180947/public/styles/scale_and_crop_center_80x80/public/2024-02/1707180944873_MPS%20Logo.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mitchell-personnel-solutions/jobs-internships/graduate-intelligence-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2027-03-28T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32a" - }, - "title": "Graduate Hire 2024/25 - Liquidity(Quant Analyst)", - "description": "The Supernova Program is a 3-year Career Accelerator Program that aims to fast-track, high performing graduates into technical experts and future leaders mainly in the fields of Product Engineering, Product Management, and Product Design. We firmly believe in the power of the new era.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6093979003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-liquidityquant-analyst-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32b" - }, - "title": "Junior Software Engineer", - "description": "You could play a vital role working with organisations at the forefront of tech innovation, from world-leading companies to government departments. Equipped with cutting-edge skills and programming languages, you’ll work closely with teams creating customised software solutions.", - "company": { - "name": "FDM Group Singapore", - "website": "https://au.gradconnection.com/employers/fdm-group-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/b8f3a509-8e79-460f-b81b-65ff2213d9a0-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/838/software-engineering-practice-singapore.html?utm_source=gradconnection&utm_medium=jobad&utm_campaign=grad_softeng&utm_content=sin_", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-sg/jobs/fdm-group-singapore-junior-software-engineer-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32c" - }, - "title": "Graduate - HSEQ Data & Analytics", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Support the Health, Safety, Environment, and Quality (HSEQ) function by analyzing trends.
  • \r\n\t
  • Create actionable insights to improve safety practices.
  • \r\n\t
  • Drive continuous improvement and contribute to a safety-first culture.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • Completed or be nearing completion of a qualification in Data Analytics or Data Science.
  • \r\n\t
  • At least a 65 grade point average.
  • \r\n\t
  • Australian citizenship or permanent residency.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy a range of benefits including bonus leave days, Bupa corporate healthcare, flexible working arrangements, and discounts at leading retailers.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from tailored professional development opportunities to advance your career.

\r\n\r\n

Career progression

\r\n\r\n

Expect growth through diverse project experiences and career advancement opportunities within Symal.

\r\n\r\n

Report this job

", - "company": { - "name": "Symal", - "website": "https://au.prosple.com/graduate-employers/symal", - "logo": "https://connect-assets.prosple.com/cdn/ff/PCZUIN41Sm57gnrcp4z-TtGz6PVr2bDknq1ldoSa8Mk/1646715447/public/styles/scale_and_crop_center_80x80/public/2022-03/1606088439871.jpg" - }, - "application_url": "https://careers.symal.com.au/en/job/494884/graduate-hseq-data-analytics", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/symal/jobs-internships/graduate-hseq-data-analytics" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-07T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32d" - }, - "title": "Economics Stream Graduate Program", - "description": "

“As a graduate in economics I was focused on learning all about the labour market and the economic data that we have available to inform good policy. I worked on briefings for senior staff and the minister, prepared briefs for Senate Estimates, and contributed to the government’s submission to the Annual Wage Review.

\r\n\r\n

For me my favourite part of the Graduate Program was absolutely the friends – it is so rare at this point in our lives to have the chance to meet a cohort of 60 like-minded people from all over Australia who you will inevitably have so much in common with. It was the best way to move to Canberra with a bunch of people who were all in exactly the same boat.” 

\r\n\r\n

– Linda, 2022 Graduate

\r\n\r\n

At the Department of Employment and Workplace Relations (DEWR) our economics graduates are engaged across the whole department with rotation opportunities available in policy, program delivery and technical areas. Graduates are involved in conducting evidence-based research and analysis which supports our Ministers and other stakeholders and enables them to make well-informed decisions.

\r\n\r\n

As an economics graduate, you can:

\r\n\r\n
    \r\n\t
  • Help shape economic and policy deliberations on diverse topics
  • \r\n\t
  • Contribute towards analysis that helps support disadvantaged labour market cohorts such as young workers, the long-term unemployed, those with a disability, and mature aged workers.
  • \r\n\t
  • Further develop your technical skills via exposure to diverse analytical techniques, economic models, and complex datasets.
  • \r\n\t
  • Be mentored by some of the best economists, labour market analysts, data scientists, and policy analysts within the public service — our economics graduates have a strong track record of promotion and career progression, with many previous graduates going on to senior positions in the department and other agencies such as the Treasury and the Reserve Bank of Australia.
  • \r\n
\r\n\r\n

Additionally, all graduates in our Graduate Program will undertake a formal learning and development program.

\r\n\r\n

Who we are Looking For

\r\n\r\n

We are looking for graduates who are enthusiastic, energetic and have a strong background in economics, econometrics or other relevant fields such as finance, commerce, mathematics, statistics, data science or engineering. We are seeking candidates who have a strong work ethic, strong written and oral communication skills, and well-developed interpersonal skills.

\r\n\r\n

In addition to the eligibility criteria for graduates in the economics stream, we are looking for graduates who have:

\r\n\r\n
    \r\n\t
  • Tertiary qualifications in economics, econometrics, or another relevant field of study such as finance, commerce, mathematics, statistics, data science or engineering. Candidates from these fields may be required to demonstrate their aptitude and understanding of economic concepts in their applications and assessment.
  • \r\n\t
  • Strong written and oral communication skills, including the ability to communicate complex concepts to non-technical audiences.
  • \r\n\t
  • Well-developed interpersonal skills, including the ability to actively engage with co-workers and stakeholders.
  • \r\n\t
  • Enthusiasm and a fresh-thinking attitude that is open to learning and innovation. 
  • \r\n
\r\n\r\n

Our Program

\r\n\r\n

As a DEWR Graduate, you will be exposed to many facets of our portfolio as you build your capability during the Program.

\r\n\r\n

Being part of a graduate cohort is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you'll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career.

\r\n\r\n

The DEWR Graduate Program is a ten-month program and runs from February to December each year. As a DEWE Graduate you will experience:

\r\n\r\n
    \r\n\t
  • a holistic view of working in a government agency through two allocated work placements.
  • \r\n\t
  • a formal learning and development program (including a Graduate Certificate in Public Administration).
  • \r\n\t
  • on-the-job experience and the opportunity to work with and learn from subject matter experts.
  • \r\n\t
  • a range of formal and on-the-job training activities designed to provide you with the tools to develop as an APS officer.
  • \r\n\t
  • working in a supportive, inclusive and flexible working environment
  • \r\n\t
  • various opportunities to be involved in a wide range of networks, social and fundraising events.
  • \r\n
\r\n\r\n

The DEWR Graduate program also offers:

\r\n\r\n
    \r\n\t
  • relocation assistance to move to Canberra.
  • \r\n\t
  • permanent ongoing employment in the Australian Public Service.
  • \r\n\t
  • career progression from APS Level 3.1 to APS Level 5.1 on successful completion of the program.
  • \r\n\t
  • support from a buddy/alumni.
  • \r\n\t
  • an Employee Assistance Program for wellbeing and career support.
  • \r\n\t
  • dedicated buddy and supervisor.
  • \r\n\t
  • a dedicated Graduate Sponsor passionate about seeing you thrive.
  • \r\n
\r\n\r\n

Positions are primarily located in Canberra.

\r\n\r\n

\"jemma\"

\r\n\r\n

Secure jobs are vital—driving future economic growth and providing people with certainty. We focus on connecting Australians who are starting, advancing, or changing their career with the relevant skills, knowledge, and experience to gain or regain employment.

\r\n\r\n

We do this by actively filling skill gaps to support Australia's economic growth by identifying industries with skill shortages, including emerging industries fundamental to the prosperity of individuals, businesses, and our nation.

\r\n\r\n

Not only are we looking for strategic, fresh-thinking, innovative and high performing graduates, but also, we’re looking for graduates that are enthusiastic, motivated and open to learning. Additionally, flexibility and interpersonal skills are key attributes that will help you be successful in your graduate year and beyond as you apply your degree in ways you never imagined! 

\r\n\r\n

Our work makes a difference to the lives of all Australians, and we want you to be part of it.

\r\n\r\n

Further information about our graduate program, including what we offer our graduates, is available on our website.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://www.dewr.gov.au/graduate-and-entry-level-programs/graduate-program/australian-government-graduate-program-aggp", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/economics-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32e" - }, - "title": "Summer Electronics Engineering Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work. 

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a passionate electronics engineering enthusiast eager to kick-start your career with a global leader in defence, security, and aerospace? BAE Systems is thrilled to present a unique opportunity for aspiring electronics engineers to join us in VIC, SA & NSW as Electronics Engineering Interns. Immerse yourself in ground-breaking projects, collaborate with industry experts, and be part of a team that drives innovation in the ever-evolving field of electronics!

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855888&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-electronics-engineering-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee32f" - }, - "title": "Graduate Recruitment Consultant – Life Sciences", - "description": "EPM Scientific is proud to be a leading specialist recruiter in the Healthcare/ Life Sciences sector. We help clients solve the number one challenge which is talent.", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-graduate-recruitment-consultant-life-sciences-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Radiography and Medical Imaging", - "Recruitment", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee330" - }, - "title": "Actuarial Internship", - "description": "

At Allianz, we’re proud to be one of the world’s leading insurance and asset management brands, with a workforce as diverse as the world around us. 

\r\n\r\n

We care about our customers, which is why we hire the very best people to further our commitment to securing the future of our customers, partners, and the community so we’re ready when they need it most. 

\r\n\r\n

We offer our people a workplace where everyone feels like they belong while promoting a culture of lifelong learning, development, and global mobility. Join us and share your ideas, be inspired, give back, and feel proud to be a part of an organisation doing meaningful work that matters like tackling climate change, mental health, and well-being. 

\r\n\r\n

Let’s care for tomorrow, so we can create a better future together, for everyone. 

\r\n\r\n

Actuarial Intern | Sydney – NSW 

\r\n\r\n
    \r\n\t
  • Work 20 hours a week part-time whilst completing your study
  • \r\n\t
  • 6-month Semester Internship Program to build your actuarial skills and experience
  • \r\n\t
  • Hands-on role with dedicated coaching and development support
  • \r\n
\r\n\r\n

Our Actuarial Semester Internship Program will provide you with the opportunity to receive a tailored and supportive early career experience. At Allianz, we have Actuaries across the Technical, Finance, and Personal Injury divisions. Our Actuarial Intern will be joining either one of the following areas: 

\r\n\r\n
    \r\n\t
  • Actuarial Pricing and Data Analytics (Technical division) – Pricing and analytics for general insurance products (e.g. Motor, Home, CTP and Commercial lines); profitability reviews; premium filings for Regulators (CTP); monitoring and reporting.
  • \r\n\t
  • Personal Injury – Pricing and profitability; valuations; segmentation analysis; monitoring and reporting.
  • \r\n\t
  • Finance – Capital Management and Reserving.
  • \r\n
\r\n\r\n

To be successful in this role we need analytical thinkers who learn and adapt quickly, have strong interpersonal skills, and can develop relationships with key stakeholders. 

\r\n\r\n

About you 

\r\n\r\n
    \r\n\t
  • You are a final-year Actuarial undergraduate student.
  • \r\n\t
  • You will be available to work a minimum of 20 hours per week during your semester internship.
  • \r\n\t
  • You are an Australian or New Zealand Citizen or hold an Australian Permanent Residency at the time of application.
  • \r\n\t
  • You must attach your most up-to-date University results in the form of an Academic Transcript or university-issued proof of results.
  • \r\n\t
  • You must attach a cover letter outlining your suitability for the role and a resume.
  • \r\n
\r\n\r\n

What's on offer? 

\r\n\r\n
    \r\n\t
  • On-the-job development and technical training to assist you in accelerating your skills.
  • \r\n\t
  • Support, mentoring, and leadership through Senior Leaders and our Talent Management team.
  • \r\n\t
  • An attractive range of employee benefits, including insurance at discounted rates, community support programs, and flexible leave arrangements.
  • \r\n\t
  • Market competitive remuneration.
  • \r\n
\r\n\r\n

About us 

\r\n\r\n

At Allianz, we care about everything that makes you, you. We believe in an equitable workplace that celebrates diversity and inclusion, where people of all genders, ages, religions, sexual orientations, abilities, and work statuses are not only welcomed, but valued for the perspectives and talents they bring to work.  We are committed to fostering an environment where everyone can thrive, grow, and contribute their unique perspectives to our collective success and reach their fullest potential. 

", - "company": { - "name": "Allianz Australia", - "website": "https://au.prosple.com/graduate-employers/allianz-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/dpYqAADeeyhv_iJerSYJl1i1AwuW8HS8SZzxmjyNYSA/1596548028/public/styles/scale_and_crop_center_80x80/public/2020-08/logo-allianz-480x480-2020.jpg" - }, - "application_url": "https://careers.allianz.com/job-invite/48960/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/allianz-australia/jobs-internships/actuarial-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-29T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee331" - }, - "title": "Solution Area Specialist Internship - Sydney", - "description": "

Your role

\r\n\r\n

As a Solution Area Specialist Intern, you will uncover and qualify new leads while driving consumption with both new and existing customers. You will identify customer and market needs, orchestrate deals with multiple stakeholders and position Microsoft solutions effectively in the competitive landscape. As a Solution Area Specialist Intern, you will develop and manage pipelines for territory and forecast resource needs and meet with customers on-site to deepen relationships and solution development.

\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Positions Microsoft solutions in a competitive landscape through research and collaboration utilizing industry expertise to differentiate Microsoft solutions.
  • \r\n\t
  • Reaches out to peers and senior team members within the subsidiary to gain technical knowledge in a solution area.
  • \r\n\t
  • Learns how Microsoft's 3-cloud platform can enable digital transformation areas. Supports team members on digital transformation opportunities in an assigned area by applying established processes and activities.
  • \r\n\t
  • Identifies market and customer needs and collaborates with internal teams to devise solutions to meet those needs.
  • \r\n\t
  • Develops and manages pipeline for territory and forecasts resource needs.
  • \r\n\t
  • Meets with customers on-site to deepen relationships and solution development.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Required Qualifications:

\r\n\r\n
    \r\n\t
  • Currently enrolled in a Bachelor's Degree in Information Technology or a related field
  • \r\n\t
  • Must have at least one semester/term of school remaining following the completion of the internship
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As an intern at Microsoft, you may receive the following benefits (may vary depending on the nature of your employment and the country where you work):

\r\n\r\n
    \r\n\t
  • Industry-leading healthcare
  • \r\n\t
  • Educational resources
  • \r\n\t
  • Discounts on products and services
  • \r\n\t
  • Savings and investments
  • \r\n\t
  • Maternity and paternity leave
  • \r\n\t
  • Generous time away
  • \r\n\t
  • Giving programs
  • \r\n\t
  • Opportunities to network and connect
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

At Microsoft, Interns work on real-world projects in collaboration with teams across the world, while having fun along the way. You’ll be empowered to build community, explore your passions and achieve your goals. Microsoft supports employee growth through a range of professional and personal development opportunities and access to hundreds of online and in-person training programs.

\r\n\r\n

To know more about the life as a Microsoft intern, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

Nikhil Gaekwad's career progression at Microsoft exemplifies the opportunities available for growth within the company, starting from his early internships to becoming a program manager on the Windows team. His journey highlights how Microsoft's hands-on projects, mentorship, and cross-platform experiences enable interns and employees to develop crucial skills, make significant contributions, and shape their careers in the tech industry. Read about his story here.

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.microsoft.com/v2/global/en/benefits
  • \r\n\t
  • news.microsoft.com/life/windows-opportunity-career-potential-meets-cutting-edge-technology/
  • \r\n
", - "company": { - "name": "Microsoft Australia", - "website": "https://au.prosple.com/graduate-employers/microsoft", - "logo": "https://connect-assets.prosple.com/cdn/ff/sY04jQaY8yP_42XE9NQAh_Svng9_KxFevW_9wxdyBb8/1564041819/public/styles/scale_and_crop_center_80x80/public/2019-03/microsoft_global_logo.png" - }, - "application_url": "https://jobs.careers.microsoft.com/global/en/share/1778024/?utm_source=Job Share&utm_campaign=Copy-job-share", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/microsoft-australia/jobs-internships/solution-area-specialist-internship-sydney" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee332" - }, - "title": "Law Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/law-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee333" - }, - "title": "Risk Management & Advice Graduate Program", - "description": "

What it does: Regulates the financial services industry
\r\nStaff stats: Around 820
\r\nThe good bits: A job like no other - Unique, Interesting work. Ability to meet top executives across the industry. A role where you can give back, and have a positive impact on the Australian financial system. A rotational program where you can influence your journey. Develop yourself both technically and personally, in a culture that cares. 
\r\nThe not-so-good bits: We need to be mindful being Government, and reputational risk, so there are a number of meetings before we finalise our work. Potentially not as many ‘perks' as private sector roles.
\r\nHiring grads with degrees:  Commerce, Actuarial, Engineering, Mathematics, STEM, IT & Computer Sciences; Finance, Accounting, Economics & Business Administration; Humanities, Arts & Social Sciences; Law & Legal Studies 

\r\n\r\n

What to expect

\r\n\r\n

The APRA Graduate Program is one of the most in-depth and diverse in the financial services industry.

\r\n\r\n

Our Graduate Program runs for 15 months. During this time you will complete three five-month rotations across a number of our teams including frontline supervision, risk, policy and advice, or data analytics. This program gives you the opportunity to build the core foundations of prudential regulation.

\r\n\r\n

Alongside these rotations, you will be supported by an in-depth learning and development program, including access to an extensive range of in-house training programs. These are designed to support you to grow your technical and personal capabilities and help jump-start your career as a financial professional.

\r\n\r\n

Professional development is ongoing throughout your career with us. In fact, professional development is an integral part of ensuring we maintain our excellence as a regulator. As one of our graduates, you’ll benefit from:

\r\n\r\n
    \r\n\t
  • Being assigned a buddy - who is a graduate from the year before, and is fresh with understanding the challenges of being a graduate at APRA.
  • \r\n\t
  • Support from a number of managers – who manage you on each of your rotations, as well as a manager to support you for the duration of the Graduate Program.
  • \r\n\t
  • Working as part of an APRA team from the start.
  • \r\n
\r\n\r\n

At the end of your Graduate Program, you will remain an employee of APRA and have the opportunity to drive your career in any of APRA's core functions, including specialist areas.

\r\n\r\n

Graduate placements will be available in our Sydney, Melbourne and Brisbane offices.

\r\n\r\n

You can watch a series of videos featuring past graduates who share their experience being involved in the APRA Graduate Program.

\r\n\r\n

The Australian Prudential Regulation story

\r\n\r\n

Following the privatisation and deregulation binge of the 1980s and early 1990s, the Federal Government established the Financial System Inquiry in 1996. It was tasked with proposing a regulatory system that would ensure an “efficient, responsive, competitive and flexible financial system to underpin stronger economic performance, consistent with financial stability, prudence, integrity and fairness”. (Previously Australia’s financial services industry was regulated by the Australian Financial Institutions Commission, Insurance and Superannuation Commission and Reserve Bank.)

\r\n\r\n

The Financial System Inquiry recommended a statutory authority of the Federal Government be set up to oversee banks, building societies, credit unions, friendly societies, insurance companies and the superannuation industry.

\r\n\r\n

On July 1 1998, the Australian Prudential Regulation Authority (commonly referred to as APRA) was established to do exactly this. Ever since, it has supervised institutions holding assets for Australian bank customers, insurance policyholders and super fund members. With considerable success across two decades, APRA has ensured those entities that make up the financial services industry remain financially sound and able to meet their obligations to their clients.   

\r\n\r\n

Our vision

\r\n\r\n

In order to reflect APRA's forward-looking philosophy, our Vision is focused on two strategic themes: Protected today and prepared for tomorrow.

\r\n\r\n

Our values

\r\n\r\n

Our values underpin the critical role we play in protecting the financial well-being of the Australian community. Our values were selected to help everyone at APRA to achieve the high standards necessary for us to protect the financial well-being of the Australian community. In our work and in our interactions with others, we seek to demonstrate:

\r\n\r\n
    \r\n\t
  • Integrity – we act without bias, are balanced in the use of our powers, and deliver on our commitments.
  • \r\n\t
  • Collaboration – we actively seek out and encourage diverse points of view, to produce well-founded decisions
  • \r\n\t
  • Accountability – we are open to challenge and scrutiny, and take responsibility for our actions
  • \r\n\t
  • Respect – we are always respectful of others, and their opinions and ideas
  • \r\n\t
  • Excellence – we maintain high standards of quality and professionalism in all that we do
  • \r\n
\r\n\r\n

Working and acting in these ways helps us achieve the high standards necessary for us to protect the financial well-being of the Australian community. Our supervisory approach is forward-looking, primarily risk-based, consultative, consistent and in line with international best practices. This approach also recognises that management and boards of supervised institutions are primarily responsible for financial soundness.

\r\n\r\n

The culture

\r\n\r\n

APRA’s workplace diversity strategy “takes a pro-active and innovative approach in creating a flexible and inclusive employment environment that values and utilises the contribution of people of different backgrounds, experiences, perspectives and abilities”. APRA offers an extensive range of flexible work arrangements to allow staff to meet family and other commitments.

\r\n\r\n

Social contribution

\r\n\r\n

APRA staff play a vital role in protecting the financial well-being of almost every Australian citizen by overseeing around $8 trillion of bank deposits, super contributions and insurance premiums. APRA also has a workplace-giving scheme that allows donations to be taken directly from an employee’s salary. 

\r\n\r\n

The vibe of the place

\r\n\r\n

APRA combines most of the good aspects of the public and private sectors. Staff are well looked after but also get to enjoy a good work-life balance and an enviable degree of job security. While a clear hierarchy exists, those at the top of it are approachable. There are lots of social events and staff often go out for social occasions at the end of the working day.

\r\n\r\n

The recruitment process

\r\n\r\n

APRA recruits graduates who’ve achieved at least a minimum credit average in, but not limited to a discipline. Graduates from the following degrees are generally attracted to apply: actuarial studies, commerce, economics, econometrics, finance, financial modelling, law, mathematics, Engineering, public policy and statistics. Those from other disciplines may be considered if they are high achievers with impressive research and analytical skills. The grad program is currently only available at APRA’s Sydney, Brisbane and Melbourne offices.

\r\n\r\n

Applications open: February - April Annually, and at times an additional recruitment round can be opened throughout the year. If you are interested to keep in contact, register your interest by clicking the pre-register button below

\r\n\r\n
    \r\n\t
  1. Apply online (February - April)
  2. \r\n\t
  3. Psychometric assessment (April)
  4. \r\n\t
  5. Assessment Centre (3 hours) (May)
  6. \r\n\t
  7. Final interview (In person in Brisbane, Sydney, Melbourne or virtually) (June)
  8. \r\n\t
  9. Reference check (June -July)
  10. \r\n\t
  11. Offer or Merit List (July onwards)
  12. \r\n
\r\n\r\n

Each year we often see many fabulous graduates, more than we can offer. In this instance, we inform some applicants that they are on a ‘Merit’ list. APRA uses this list should APRA increase the graduate program intake number or a graduate withdraws from the program. We also look to the Merit list before opening up a new recruitment campaign and we will keep you updated for the next 6 months regarding graduate-level opportunities across APRA. 

\r\n\r\n

Remuneration

\r\n\r\n

APRA’s funding is provided by the industry it regulates rather than the taxpayer, and it offers unusually lavish benefits for a public-sector employer. 

\r\n\r\n

APRA's graduate starting salary is $85,000 inclusive of superannuation. APRA is focused on intensively building your capabilities, and through capability growth, on average, graduate salaries have increased 10% annually for the first few years of your career. APRA is dedicated to investing in early talent and reviews salaries comparatively with external and internal salary data. 

\r\n\r\n

Our employees enjoy a range of benefits including working in a flexible, inclusive and diverse environment.

\r\n\r\n

Some benefits offered to employees include:

\r\n\r\n
    \r\n\t
  • Health and well-being checks
  • \r\n\t
  • Annual flu vaccinations
  • \r\n\t
  • Employee Assistance Program (professional and confidential counselling sessions for employees and their immediate families)
  • \r\n\t
  • Wellbeing Ambassador network
  • \r\n\t
  • Ergonomic workstations
  • \r\n\t
  • Regular social events
  • \r\n\t
  • Subsidised corporate team sports, running events and pedometer challenge
  • \r\n\t
  • Discounted gym memberships
  • \r\n
\r\n\r\n

Career prospects

\r\n\r\n

After finishing the grad program, we will work with you to find a team that you wish to join permanently. In joining that team, you will be promoted to the role of Analyst. APRA promotes employees on capability growth, so your path and progression are your own, following the graduate program.  You do not have to stay in a role level for a period of time before progression. APRA encourages open and honest discussions between the employee and their manager. We have numerous training courses to strengthen your skills, both personally and technically. APRA is focused on encouraging mobility; therefore you can move across teams as opportunities become available, or an opportunity to be seconded to another agency such as the RBA, ASIC, Treasury or the like. 

", - "company": { - "name": "Australian Prudential Regulation Authority (APRA)", - "website": "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra", - "logo": "https://connect-assets.prosple.com/cdn/ff/8VphHDM-cMSaiNZC9WiFCP5Y7IbPVTVuO34cEtfyOew/1708482025/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-apra-480x480-2024.jpg" - }, - "application_url": "https://2025graduateprogram-apra.pushapply.com/login?utm_source=prosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra/jobs-internships/risk-management-advice-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee334" - }, - "title": "ABS ICT Graduate Program", - "description": "

The Australian Bureau of Statistics (ABS) is the perfect place to launch your career. We offer a supportive environment, focusing on training and development to help our graduates develop their skills and find their feet. The ABS Graduate Development Program is an opportunity to kick-start your career and build the foundations for the future. 

\r\n\r\n

We have graduate roles available in our Technology Services Division (TSD). TSD partner's with ABS business and external service providers to design, build, test and maintain the IT systems, tools, services, and infrastructure that underpin ABS’s operations

\r\n\r\n

ICT job roles at the ABS
\r\n
\r\nSome of the roles/areas of work an ICT graduate at the ABS might undertake include:

\r\n\r\n
    \r\n\t
  • Cyber Security Officer
  • \r\n\t
  • Software Development and Programming
  • \r\n\t
  • Infrastructure and Platform Engineering
  • \r\n
\r\n\r\n

We offer you:

\r\n\r\n
    \r\n\t
  • a strong focus on development opportunities: participation in a structured training program, opportunities to shadow our Senior Executives and job training specific to your role,
  • \r\n\t
  • our graduate program runs for 12 months from early February each year (with an opportunity to rotate to another role within TSD to further develop skills),
  • \r\n\t
  • graduate starting salary of $70,166 plus an additional 15.4% superannuation,
  • \r\n\t
  • salary advancement to $78,923 plus an additional 15.4% superannuation on successful completion of the program in February 2027,
  • \r\n\t
  • most of our successful ICT graduates are offered a position in their ‘home’ state, but we cover your relocation costs if you are required to relocate,
  • \r\n\t
  • we can usually offer an early start if you are available to start work before the graduate program officially commences in February 2026,
  • \r\n\t
  • a flexible working model with a mixture of working from home and the office to help you manage your work/life balance
  • \r\n\t
  • a permanent full-time role
  • \r\n\t
  • generous leave entitlements, including 20 days of annual leave and 18 days of personal leave a year
  • \r\n\t
  • opportunities for study leave and financial support so you can continue learning
  • \r\n\t
  • a public holiday substitution scheme to give people of all faiths and cultures the opportunity to participate in days of cultural, ceremonial or religious significance
  • \r\n\t
  • the opportunity to work in one of our offices in all capital cities, and Geelong.
  • \r\n
\r\n\r\n

Are you eligible?

\r\n\r\n

To be eligible you must:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • have completed your most recent, eligible qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance if required
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
", - "company": { - "name": "Australian Bureau of Statistics (ABS)", - "website": "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs", - "logo": "https://connect-assets.prosple.com/cdn/ff/1ef9o69alrtqgHYSp1sDfVeptyWtGazugwN7m_uuq_Y/1635915251/public/styles/scale_and_crop_center_80x80/public/2021-11/logo-australian-bureau-of-statistics-480x480-2021_0.jpg" - }, - "application_url": "https://abs.nga.net.au/?jati=F56BBBEF-0015-34A5-5AF4-DA90072EBA1E", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs/jobs-internships/abs-ict-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee335" - }, - "title": "Recruitment Consultant - Entry Level", - "description": "As an Entry-Level Recruitment Consultant at Phaidon International, you will not only play a pivotal role in identifying and recruiting top talent, but will also be a key contributor to our sales efforts.", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "https://www.phaidoninternational.com/users/register/new/registration?utm_campaign=PI%20", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-recruitment-consultant-entry-level-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:58.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee336" - }, - "title": "Business Pathways - Graduate Program", - "description": "

Our Graduate Program is designed for talented, passionate graduates who are looking to join an agile world leader and are ready to use the power of technology to deliver mission-critical IT services that move the world. Our customers entrust us to deliver what matters most. We believe every graduate is unique and our aim is to help you build a solid foundation in your professional career, apply your learnings, and discover new possibilities.

\r\n\r\n

If you are passionate about making a difference for our customers and society, this program is for you! Whether you are a tech enthusiast or someone who just wants to make an impact on people’s lives – join the DXC journey in shaping the future of tomorrow. 

\r\n\r\n

Graduate opportunities:

\r\n\r\n
    \r\n\t
  • Business Analyst - Bridge the gap between IT and the business using analysis to support business decisions
  • \r\n\t
  • Consulting (Business) - Collaborate with our clients to improve their business through DXC’s offerings and expertise
  • \r\n\t
  • Consulting (Technical) - Collaborate with our clients to improve their business through DXC’s offerings and expertise
  • \r\n\t
  • Finance - Oversee and track finance initiatives and work with the business on financial analytics and reporting
  • \r\n\t
  • Project Management - Plan, manage, oversee and lead customer projects to completion
  • \r\n\t
  • Marketing - Developing content and brand awareness on behalf of DXC
  • \r\n\t
  • Sales Professional - Generate business opportunities with current and future clients
  • \r\n\t
  • Sales Solution (Pre-Sales) - Lay the groundwork for the DXC Sales team to be successful
  • \r\n\t
  • Service Delivery Coordinator - Coordinate service delivery for our clients’ critical applications
  • \r\n
\r\n\r\n

Your journey starts from Day 1

\r\n\r\n

You will take part in a structured induction program where you will have the opportunity to meet other graduates from your cohort across Australia and New Zealand and undertake training to get you up to speed with the DXC environment and build your interpersonal skills.

\r\n\r\n

What’s in it for you?

\r\n\r\n
    \r\n\t
  • A stimulating 12-month program with a company that is well-positioned to grow and deliver true innovation and value to our customers
  • \r\n\t
  • Opportunities to collaborate with senior leaders on various projects
  • \r\n\t
  • Ongoing training and development
  • \r\n\t
  • A dedicated people manager and buddy to help guide and support you from Day 1
  • \r\n\t
  • A variety of social and cultural activities to extend your networking and team-building skills
  • \r\n
\r\n\r\n

What we’re looking for?

\r\n\r\n

To be eligible for our Graduate Program, when submitting your application, you must be:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Permanent Resident
  • \r\n\t
  • Have completed all course requirements for your degree no earlier than November 2023, and must expect to complete all course requirements for your degree no later than February 2026
  • \r\n
\r\n\r\n

Note: Previous exposure to the Technology or Business sector (i.e. work placements or internships) or ex-Defence personnel (post serving time in the Military) would be an advantage for some roles.

\r\n\r\n

All degrees are accepted. We invite you to join our passionate team and thrive with DXC.

\r\n\r\n

Our 'people first' mindset comes to life offering the ultimate in working flexibility. We take a virtual first approach and our teams are spread across multiple geographies delivering a broad range of customer projects, which means we can tailor working arrangements that work for our people. DXC is an equal-opportunity employer. We welcome the many dimensions of diversity. To increase diversity in the technology industry, we encourage applications from Aboriginal and/or Torres Strait Islander people, neurodiverse people, and members of the LGBTQIA+ community. Accommodation of special needs for qualified candidates may be considered within the framework of the DXC Accommodation Policy. In addition, DXC Technology is committed to working with and providing reasonable accommodation to qualified individuals with physical and mental disabilities. 

\r\n\r\n

If you need assistance in filling out the application form or require a reasonable accommodation while seeking employment, please e-mail: anzyoungprofessionals@dxc.com If you wish to find out more, please visit our website or contact anzyoungprofessionals@dxc.com 

\r\n\r\n

DXC acknowledges the Traditional Owners of the country throughout Australia, and their continuing connection to land, water and community. We pay our respects to them and their cultures, and to their Elders, past, present and emerging.  

", - "company": { - "name": "DXC Technology", - "website": "https://au.prosple.com/graduate-employers/dxc-technology", - "logo": "https://connect-assets.prosple.com/cdn/ff/Pgy3E3kN6YXC6_S3L_do1cfn2XDySpE4FpfVn2CYCsg/1623321492/public/styles/scale_and_crop_center_80x80/public/2021-06/logo-dxc-technology-ph-480x480-2021.png" - }, - "application_url": "https://dxc.com/au/en/careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dxc-technology/jobs-internships/business-pathways-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee337" - }, - "title": "Generalist Stream Graduate Program", - "description": "

I felt like the Graduate Program enabled me to get a great job because I was really well supported, I was able to learn from my peers, and I had opportunities in multiple parts of the department, so I got to learn from many different people all about the different workings across the department.

\r\n\r\n

I was really excited to join the Graduate Program because I knew that it would be a really great way to enter the workforce, and I’d be surrounded by other people who are also looking to advance their career. There are so many opportunities for professional development and to learn on-the-job, you’re really well supported by supervisors whose role is to teach you as much as they can and make sure that you’re getting the best out of yourself.

\r\n\r\n

Jemma, Policy Officer  

\r\n\r\n

Overview

\r\n\r\n

Our work is broad and requires people with all types of qualifications therefore we are focused on attracting graduates from a wide range of disciplines. Generalist graduates work on a variety of programs and policies developed and implemented by the department. Some examples of this work may include but is not limited to: 

\r\n\r\n
    \r\n\t
  • contributing to policy and evaluation documents,
  • \r\n\t
  • developing and maintaining stakeholder relationships,
  • \r\n\t
  • consultation and engagement,
  • \r\n\t
  • regulation and compliance,
  • \r\n\t
  • liaising with stakeholders,
  • \r\n\t
  • legislation,
  • \r\n\t
  • research and analysis
  • \r\n\t
  • program and contract management
  • \r\n
\r\n\r\n

We want to hear from graduates from varied backgrounds and a range of qualifications including but limited to:  

\r\n\r\n
    \r\n\t
  • Accounting, Banking and Finance
  • \r\n\t
  • Business and Commerce
  • \r\n\t
  • Economics
  • \r\n\t
  • Public Policy
  • \r\n\t
  • Law
  • \r\n\t
  • IT & Digital Technology
  • \r\n\t
  • Arts & Humanities
  • \r\n\t
  • Education
  • \r\n\t
  • Project Management and Human Resources
  • \r\n\t
  • Information Systems
  • \r\n\t
  • Information Technology
  • \r\n\t
  • Media & Communications
  • \r\n\t
  • Actuary
  • \r\n\t
  • Administration
  • \r\n\t
  • Data Science & Analytics
  • \r\n
\r\n\r\n

Our Program

\r\n\r\n

As a DEWR Graduate, you will be exposed to many facets of our portfolio as you build your capability during the Program.

\r\n\r\n

Being part of a graduate cohort is a great way for you to transition from education to employment. We know first-hand the significance of this milestone and you'll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career.

\r\n\r\n

As a DEWR Graduate you will experience:

\r\n\r\n
    \r\n\t
  • a holistic view of working in a government agency through two allocated work placements,
  • \r\n\t
  • a formal learning and development program (including a Graduate Certificate in Public Administration),
  • \r\n\t
  • on-the-job experience and the opportunity to work with and learn from subject matter experts.
  • \r\n\t
  • a range of formal and on-the-job training activities designed to provide you with the tools to develop as an APS officer,
  • \r\n\t
  • working in a supportive, inclusive and flexible working environment, and
  • \r\n\t
  • various opportunities to be involved in a wide range of networks, social and fundraising events.
  • \r\n
\r\n\r\n

The DEWR Graduate program also offers:

\r\n\r\n
    \r\n\t
  • relocation assistance to move to Canberra.
  • \r\n\t
  • permanent ongoing employment in the Australian Public Service,
  • \r\n\t
  • career progression from APS Level 3.1 to APS Level 5.1 on successful completion of the program.
  • \r\n\t
  • support from a buddy/alumni.
  • \r\n\t
  • an Employee Assistance Program for wellbeing and career support,
  • \r\n\t
  • dedicated buddy and supervisor.
  • \r\n\t
  • a dedicated Graduate Sponsor/s passionate about seeing you thrive.
  • \r\n
\r\n\r\n

Positions are primarily located in Canberra.

\r\n\r\n

Secure jobs are vital—driving future economic growth and providing people with certainty. We focus on connecting Australians who are starting, advancing, or changing their career with the relevant skills, knowledge, and experience to gain or regain employment.

\r\n\r\n

We do this by actively filling skill gaps to support Australia's economic growth by identifying industries with skill shortages, including emerging industries fundamental to the prosperity of individuals, businesses, and our nation.

\r\n\r\n

Our work makes a difference to the lives of all Australians, and we want you to be part of it.

\r\n\r\n

Not only are we looking for strategic, fresh-thinking, innovative and high-performing graduates, but also, we’re looking for graduates that are enthusiastic, motivated and open to learning. Additionally, flexibility and interpersonal skills are key attributes that will help you be successful in your graduate year and beyond as you apply your degree in ways you never imagined! 

\r\n\r\n

If you have a desire to work for a department that informs evidence-based policy which aims to help develop and improve outcomes for Australians, we want to hear from you. Pre-register/Apply now!

\r\n\r\n

Further information about our graduate program, including what we offer our graduates, is available on our website.

\r\n\r\n
\"alwyn\"
\r\n\r\n

Who can apply?

\r\n\r\n

The program starts in February each year.

\r\n\r\n

To be eligible to pre-register/apply, applicants must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen or will be by 1 October 2025
  • \r\n\t
  • Must have completed your university degree within the last five years or be in your final year of study and have completed all your course requirements before commencing our program
  • \r\n\t
  • Be prepared to obtain and maintain baseline security clearance
  • \r\n
\r\n\r\n

If you secure a place on our 2026 Graduate Program, you will need to provide evidence of your Australian citizenship and be willing to undergo a National Police Check and health checks as required. The department will guide you through the process of obtaining your baseline security clearance as part of your onboarding process.

\r\n\r\n

How to pre-register/apply

\r\n\r\n

We work collaboratively with other APS agencies to recruit talented individuals through other specialty graduate and entry-level programs. These speciality graduate programs are co-ordinated centrally by AGGP.

\r\n\r\n

Visit the APS Jobs Career Pathways website to find out more or apply. Make sure you nominate the Department of Employment and Workplace Relations as your preferred agency for your chance to join us!

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/generalist-stream-MCPUVPREJVLBAE3OSRE5TIKWXG6Q", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/generalist-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee338" - }, - "title": "Graduate Cyber Security Engineer", - "description": "

Award winning Graduate Program

\r\n\r\n

Leidos Australia has been identified as a Top 100 Graduate Employer in Australia for the forth year in a row, and again ranked in the Top 5 for the Defence and Aerospace sector for the third year in a row by Prosple - So what makes our graduate program award winning?

\r\n\r\n
    \r\n\t
  • As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in
  • \r\n\t
  • You will attend a graduate specific induction along with monthly graduate catch ups as an opportunity to build connections internally and to learn more about the business
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Leidos Benefits

\r\n\r\n
    \r\n\t
  • Access to over 100,000 online training and development courses through our the technical training portal Percipio
  • \r\n\t
  • Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities, the Defence & Emergency Services and Pride+
  • \r\n\t
  • Entitlement to one day a year of volunteer leave to support a cause you’re passionate about
  • \r\n\t
  • Leidos is a family friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for an alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests
  • \r\n\t
  • Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers
  • \r\n
\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees globally support vital missions for government and commercial customers.

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Led by a local leadership team, we deliver projects and services through five lines of business – Airborne Solutions, Civil Services & Projects, Defence Digital Solutions & Support, Defence Mission Systems and Intelligence (C4ISR) – supported by local corporate functions.

\r\n\r\n

Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ local workforce, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises.

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Cyber Security Engineer could include a wide range of activities including:

\r\n\r\n
    \r\n\t
  • Working with a variety of stakeholders to develop an understanding of the cyber operating environment for Federal Government, Defence and National Security Agencies;
  • \r\n\t
  • Undertaking analysis on client networks and endpoints for security events/alerts for active threats, intrusions and/or compromises;
  • \r\n\t
  • Performing security operations work involving the Security Information and Event Management tool, network intrusion systems and Host based Intrusion Prevention tools (AV, HIPS, Application Whitelisting);
  • \r\n\t
  • Monitoring and assessing emerging threats and vulnerabilities to the environment and ensuring those requiring action are addressed;
  • \r\n\t
  • Security Incident Management, advice and education and maintaining the currency and health of the deployed security tools;
  • \r\n\t
  • Providing technical administration support for security suite of software and hardware;
  • \r\n\t
  • Contractual and stakeholder reporting;
  • \r\n\t
  • Reviewing and documenting and improving processes to contribute to the overall security of the environment.
  • \r\n
\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor of Computer Science
  • \r\n\t
  • Bachelor of Software Engineering
  • \r\n\t
  • Bachelor of Cyber Security
  • \r\n\t
  • Bachelor of Cyber Operations
  • \r\n\t
  • Bachelor of Information Technology
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks paid parental leave as a primary carer and more. We look forward to welcoming you.

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-cyber-security-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee339" - }, - "title": "Data Analytics Graduate Program", - "description": "

Do you want to work in a flexible and supportive environment where you are connected to an extensive network with world-class networking and career growth opportunities?

\r\n\r\n

Our Graduate Program has been designed to provide you with the technical, personal, and professional development to enable you to become our next generation of partners, managers and industry leaders!

\r\n\r\n

What we offer:

\r\n\r\n

At RSM, you do meaningful and impactful work that makes a real difference in people's lives.

\r\n\r\n

RSM Australia supports a people-centric and collaborative culture where we are committed to empowering and developing you.

\r\n\r\n

As a leading professional services firm, we invest in your future and connect you to an extensive network of national and global resources.

\r\n\r\n

Learning from the best and brightest minds in the business world, the RSM Graduate Program will help launch your career by offering a diverse range of benefits:

\r\n\r\n
    \r\n\t
  • Receive a $500 professional start-up bonus;
  • \r\n\t
  • CA Program financial support and membership, paid study leave, and course completion bonuses;
  • \r\n\t
  • Access to senior leaders and technical experts who guide, mentor and shape your career;
  • \r\n\t
  • Access to structured programs and technical conferences to aid professional development;
  • \r\n\t
  • Employee Assistance Program to support positive mental health and wellbeing;
  • \r\n\t
  • Regular office social events to build your professional networks;
  • \r\n\t
  • Total Permanent Disability and Income Protection insurance for all permanent employees;
  • \r\n\t
  • Experience working on a diverse range of clients; and
  • \r\n\t
  • Being part of a Top 100 Graduate Employer award-winning program!
  • \r\n
\r\n\r\n

Who we are:

\r\n\r\n

RSM Australia is a member of RSM, the world’s 6th largest network of audit, tax and consulting firms. We are an award-winning professional services firm with over 100 years’ experience supporting Australian businesses. We believe in putting people first and we are proud to have developed a work culture that fosters growth, collaboration and success.

\r\n\r\n

What you’ll do:

\r\n\r\n

As a Data Analytics Graduate at RSM, you will have the opportunity to work closely with senior stakeholders to understand and deliver the complete lifecycle of data analytics projects, using analytical and visualisation tools to analyse client data to help solve problems and identify opportunities, and much more!

\r\n\r\n

What does the Data Analytics division do?

\r\n\r\n
    \r\n\t
  • Delivery of business insights through data visualisation and analytics;
  • \r\n\t
  • Use of data analysis to drive business efficiencies;
  • \r\n\t
  • Development of data governance and data strategy.
  • \r\n
\r\n\r\n

Who you are:

\r\n\r\n

You are an ideal candidate for this role if….

\r\n\r\n
    \r\n\t
  • You are currently studying towards or completed a bachelor’s degree in Computer Science, Data Analytics, Mathematics or Statistics;
  • \r\n\t
  • Integrity is one of your core values, and you hold yourself and those you work with to a high standard of professionalism and mutual respect;
  • \r\n\t
  • You are able to effectively communicate with clients and colleagues;
  • \r\n\t
  • You are a self starter and a team player, and you can bring your unique skills and ideas to the table;
  • \r\n\t
  • You possess a can-do attitude and a passion for continuous learning and professional growth.
  • \r\n
\r\n\r\n

How you apply:

\r\n\r\n

At RSM, we understand you have a lot going on between studying, part-time jobs, friends and family commitments, so we have made sure the application process doesn’t take up too much of your time.

\r\n\r\n

If you are ready to be part of the change with RSM, click “pre-register”.

", - "company": { - "name": "RSM Australia", - "website": "https://au.prosple.com/graduate-employers/rsm-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/1wNZVfvd7gDE90eKwejL_XSYHVpGCJixZ17Uez8ROCg/1568239847/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-RSM-120x120-2019_1.jpg" - }, - "application_url": "https://careers.rsm.com.au/en/job/494027/melbourne-data-analytics-graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/rsm-australia/jobs-internships/data-analytics-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33a" - }, - "title": "Management Trainee Program – Finance Stream", - "description": "

About our Program? 

\r\n\r\n

Our Management Trainee Program has been uniquely designed to build your business and leadership expertise, enriched with experiences and exposure to set you up for a successful career in L’Oréal. 

\r\n\r\n

Features:

\r\n\r\n
    \r\n\t
  • 2-3 Rotations (lasting 6months each) in your chosen stream across our 5 divisions (Consumer Products, Luxury Brands, Dermatological Beauty, Professional Salon Products and Corporate)
  • \r\n\t
  • Dedicated 1on1 Mentoring from our top talent management
  • \r\n\t
  • Buddy Program with past Management Trainees
  • \r\n\t
  • Personal monthly catchups with our CEO & Senior Management Team
  • \r\n\t
  • Monthly moments with HR & Subject Matter Experts
  • \r\n\t
  • Be part of the international Management Trainee Cohort
  • \r\n\t
  • Permanent Contract with guaranteed role after completion
  • \r\n\t
  • Hands on experience in stores and conducting consumer research
  • \r\n\t
  • Supportive induction and dedicated 1 week onboarding to set you up for success
  • \r\n\t
  • Customised learning and development throughout the year – mix of soft and technical skill training to enhance your growth in the program
  • \r\n\t
  • Access to bespoke e-learning modules to upskill yourself at your own direction
  • \r\n\t
  • Be part of a vibrant cohort and enjoy social moments through the year
  • \r\n
\r\n\r\n

Perks:

\r\n\r\n

Contract benefits:

\r\n\r\n
    \r\n\t
  • Product Allowance to use across the company
  • \r\n\t
  • Access to discounted products through our on-site staff shop
  • \r\n\t
  • Leave benefits - extra 5 days of leave per year and 2 days of volunteering leave
  • \r\n\t
  • Profit Share Bonus
  • \r\n\t
  • Life insurance and Income Protection
  • \r\n
\r\n\r\n

Company benefits:

\r\n\r\n
    \r\n\t
  • Summer hours (Shorter Friday hours during summer)
  • \r\n\t
  • Invitation to L’Oréal and Divisional Signature Events
  • \r\n\t
  • On-site café with city and river views
  • \r\n\t
  • On-site gym which you can access for free
  • \r\n\t
  • Access to Health & Well-being programs throughout the year
  • \r\n\t
  • International career opportunities
  • \r\n\t
  • Hybrid working model – 60:40 Split Office vs. Home
  • \r\n
\r\n\r\n

About the Finance Stream? 

\r\n\r\n
    \r\n\t
  • Gain experience in brand and/or commercial controlling across our 4 divisions as well as experience in corporate finance.
  • \r\n\t
  • Active participation to manage brand or commercial spends in divisional roles
  • \r\n\t
  • Exposure and responsibility in month end processes
  • \r\n\t
  • Ensuring processes are in line with Group standards - to meet both internal and external audit requirements
  • \r\n\t
  • Within commercial controlling, managing and governing forecasts of key accounts
  • \r\n\t
  • Working collaboratively across functions to achieve business objectives
  • \r\n
\r\n\r\n

Our finance trainees have been involved in redesigning and improving metrics for sustainability tracking, have helped streamline processes for commercial tasks across ANZ, have been instrumental in navigating budgets across divisions to land month and year end targets and have successfully worked cross functionally to monitor promotional compliance for commercial teams. 

\r\n\r\n

About you? 

\r\n\r\n

We are looking for passionate, entrepreneurial and innovative graduates to help us create the future of Beauty. You will forge your own career path, going beyond what you thought was possible by reacting fast and being able to hit the ground running. You will need to have leadership skills and be able to take direction as well. All background and disciplines are welcome. 

\r\n\r\n

You might be sporty, you might not. You can be an introvert or an extrovert. A beauty junkie, a data genius, or a crazy scientist. The point is, whoever you are, we want to hear from you.  Our teams are always there to help, celebrate and cheer one another! That’s what makes the glue of L’Oréal: the people. And that is something we’re proud of! 

\r\n\r\n

Freedom to go beyond:

\r\n\r\n

Some of our previous graduates are now launching new brands, others are spearheading process improvement projects and then there are those who are now high-flying professionals working across the world! One thing they all have in common is the profound impact made on our company. Because of this, we take great pride in our Management Trainees and as such, invest heavily in their training, support, and development. 

\r\n\r\n

Next steps? 

\r\n\r\n
    \r\n\t
  • Applications close at 11:59 pm AEST Sunday 31st March 2025
  • \r\n\t
  • Shortlisting will be done in April.
  • \r\n\t
  • Shortlisted candidates will be invited for a video interview and cognitive assessment.
  • \r\n\t
  • Those selected, will be invited to the assessment centre hosted at L’Oréal (6-10 May)
  • \r\n\t
  • Offers will be made by end of May
  • \r\n
\r\n\r\n

If you want to join the world’s largest beauty company and join us in creating beauty that moves the world then apply now!

\r\n\r\n

L'Oréal Australia & New Zealand is a supporter of reducing barriers that exist due to traditional working practices and therefore flexible work arrangements will be considered for this role. We are committed to achieving a diverse workforce and encourage applications from people with disability, Aboriginal and Torres Strait Islander peoples and people from culturally diverse backgrounds. We are an Employer of Choice for Gender Equality (WGEA) and a Family Friendly Workplace (Parents At Work & UNICEF). We hold a Reflect Reconciliation Action Plan and we acknowledge the Traditional Custodians of the lands on which we work and pay our respects to their Elders past and present.

", - "company": { - "name": "L'Oréal Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q_KIii4y0763fDN6UoVrE_HbLri-wM5nUEqUamrQoWc/1634801839/public/styles/scale_and_crop_center_80x80/public/2021-10/logo-loreal-480x480-2021.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand/jobs-internships/management-trainee-program-finance-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33b" - }, - "title": "Graduate Software Engineer", - "description": "

Award winning Graduate Program

\r\n\r\n

Leidos Australia has been identified as a Top 100 Graduate Employer in Australia for the forth year in a row, and again ranked in the Top 5 for the Defence and Aerospace sector for the third year in a row by Prosple - So what makes our graduate program award winning?

\r\n\r\n
    \r\n\t
  • As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in
  • \r\n\t
  • You will attend a graduate specific induction along with monthly graduate catch ups as an opportunity to build connections internally and to learn more about the business
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career
  • \r\n\t
  • and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Leidos Benefits

\r\n\r\n
    \r\n\t
  • Access to over 100,000 online training and development courses through our the technical training portal Percipio
  • \r\n\t
  • Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities, the Defence & Emergency Services and Pride+
  • \r\n\t
  • Entitlement to one day a year of volunteer leave to support a cause you’re passionate about
  • \r\n\t
  • Leidos is a family friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for an alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests
  • \r\n\t
  • Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers
  • \r\n
\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees globally support vital missions for government and commercial customers.

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Led by a local leadership team, we deliver projects and services through five lines of business – Airborne Solutions, Civil Services & Projects, Defence Digital Solutions & Support, Defence Mission Systems and Intelligence (C4ISR) – supported by local corporate functions.

\r\n\r\n

Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ local workforce, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises.

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Software Engineer could include a wide range of activities including:

\r\n\r\n
    \r\n\t
  • Liaising with system users to document a requirement or specification and understand their needs, goals, and any issues or limitations.
  • \r\n\t
  • Using your skills to undertake software analysis, design, development and testing of software.
  • \r\n\t
  • Solving complex problems using software related methodologies, processes, standards and tools.
  • \r\n\t
  • Translating and implementing simple development project requirements into physical database structures and code.
  • \r\n\t
  • Applying data analysis and data modelling techniques to establish, modify or maintain a data structure and its associated components.
  • \r\n\t
  • Analysing code and systems for potential security vulnerabilities and code to avoid accidental introduction of such vulnerabilities.
  • \r\n\t
  • Assisting in the investigation and resolution of issues relating to applications by correcting program errors, preparing instructions, analysing system capabilities and output requirements, in order to meet software standards.
  • \r\n\t
  • Working as part of a team in an Agile environment to contribute to the overall success of program delivery by working on individual activities and collaborating to come together using configuration and version control.
  • \r\n\t
  • Undertaking independent learning to improve your knowledge of software development.
  • \r\n
\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor of Software Engineering
  • \r\n\t
  • Bachelor of Software Development
  • \r\n\t
  • Bachelor of Information Technology
  • \r\n\t
  • Bachelor of Computer Science
  • \r\n\t
  • Bachelor of Systems Engineering
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks paid parental leave as a primary carer and more. We look forward to welcoming you.

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-software-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33c" - }, - "title": "Graduate Program", - "description": "

Applications open for our 2026 Program on 24th February 2025

\r\n\r\n
    \r\n\t
  • Launch your career: you’ll be ready to start with us early 2026
  • \r\n\t
  • A job that’s made for you: you’ll benefit from hybrid working, making an impact and dressing for your day
  • \r\n\t
  • Get the competitive edge: you'll gain experience at one of Australia's largest Professional Services firms
  • \r\n
\r\n\r\n

How PwC can take you forward

\r\n\r\n

There’s so many ways to launch your career and make a positive impact here. It’s why we invest in our talent from the ground up – acting as the perfect springboard for aspiring professionals, just like you.

\r\n\r\n

By working with us, you’ll be helping a variety of Australian businesses (and not-for-profits) create sustainable value through elevated strategies, performances and workflow. So whether you’re implementing AI technology, developing climate-smart solutions or reinventing Aussie business models, you’ll be making an impact every day.

\r\n\r\n

Together, we’ll push forward – towards a better future for our communities, clients and people.

\r\n\r\n

If you’re in your final year of study or a recent graduate with an undergraduate or postgraduate degree, our Graduate Program is for you. This Program offers a full-time placement, hands-on experience and structured support over the duration of your time with us.

\r\n\r\n

Benefits designed to propel you forward

\r\n\r\n
    \r\n\t
  • Fast-track your career with world-class development opportunities working on real-world problems;
  • \r\n\t
  • Embrace a dynamic community with energising mentors and exposure to experienced leaders;
  • \r\n\t
  • Enjoy more autonomy and flexibility with hybrid working arrangements that suit you, your team and clients better;
  • \r\n\t
  • Dress for your day and feel empowered to work, collaborate and present with clients or team members;
  • \r\n\t
  • Invest in your health and lifestyle with perks like wellness credits and discounted memberships.
  • \r\n
\r\n\r\n

Commitment to diversity and inclusion

\r\n\r\n

We value authenticity and unique perspectives, which is why we champion diverse talent from varied backgrounds and with different problem-solving abilities. Because this is what creates impactful creativity and the greatest value for our clients. So even if you don’t meet every qualification, reach out — because it’s your potential that counts.

\r\n\r\n

If you need any reasonable adjustments or wish to share your pronouns with us, please let us know — we’re committed to ensuring an inclusive experience for all.

\r\n\r\n

Want to move forward?

\r\n\r\n

If you’re driven to make an impact and want to experience the energy and openness of a large-scale, top tier firm – join us. We know that with your talent and our energy, we can do great things.

", - "company": { - "name": "PwC Australia", - "website": "https://au.prosple.com/graduate-employers/pwc-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/vQ_gFqkVbzCyntDyFKU_1UiZSfWYCOF0_Ub6jzPuqQ4/1561088773/public/styles/scale_and_crop_center_80x80/public/2019-03/pwc_global_logo.jpg" - }, - "application_url": "https://jobs-au.pwc.com/au/en/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/pwc-australia/jobs-internships/graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-11T22:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33d" - }, - "title": "BI Developer - Graduate", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Build data models and develop visualization tools like Tableau.
  • \r\n\t
  • Support the transition from descriptive to predictive analytics.
  • \r\n\t
  • Collaborate with stakeholders to deliver scalable data solutions.
  • \r\n\t
  • Work with data engineers to optimize data pipelines using DBT, AWS Redshift, and Fivetran.
  • \r\n\t
  • Analyze data distributions and create visual reports for decision-making.
  • \r\n\t
  • Support machine learning solutions with advanced data systems and algorithms.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate is a recent graduate or final-year student passionate about data analytics.

\r\n\r\n
    \r\n\t
  • Holds a bachelor’s degree in IT, data science, or equivalent (or is currently enrolled).
  • \r\n\t
  • Proficient in Python, R, SQL, or similar scripting languages.
  • \r\n\t
  • Familiar with AWS data ingestion tools and cloud-based technologies.
  • \r\n\t
  • Possesses strong problem-solving and analytical skills.
  • \r\n\t
  • Understand data visualization tools like Tableau.
  • \r\n\t
  • Experienced with DBT, Fivetran, and Redshift.
  • \r\n\t
  • Knowledgeable in statistical packages and demand-based algorithms.
  • \r\n\t
  • Excellent interpersonal and communication skills.
  • \r\n
\r\n\r\n

Compensation & Benefits

\r\n\r\n

Offers real-world experience on large-scale data projects, growth opportunities, and a collaborative environment. Includes professional development and the chance to make a global impact.

\r\n\r\n

Training & development

\r\n\r\n

Provides hands-on experience with cutting-edge tools and platforms, learning from industry leaders to advance your career in data analytics.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within a global leader in hospitality and support services, with opportunities to grow in data analytics.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your application by completing the necessary forms and providing all required documents. Ensure your application reflects your qualifications and enthusiasm for the role.

\r\n\r\n

Report this job 

", - "company": { - "name": "Compass Group Australia", - "website": "https://au.prosple.com/graduate-employers/compass-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7J9eQPqEl6Ee1czR-KpSyflwbu0d4iBh8mX2RZnCnyg/1661202472/public/styles/scale_and_crop_center_80x80/public/2022-06/logo-Compass%20Group%20Australia-480x480-2022.png" - }, - "application_url": "https://careers.compass-group.com.au/jobs/bi-developer-graduate-north-sydney-nsw-australia-sydney-cbd-melbourne-cbd-vic", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/compass-group-australia/jobs-internships/bi-developer-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33e" - }, - "title": "Consulting Graduate Program", - "description": "

Think beyond.

\r\n\r\n

Join KordaMentha where you can make a real difference from day one. 

\r\n\r\n

Each year, we recruit a select number of bright, well-rounded graduates, and students in their final year of their degree, to start their journey with us. Become part of a unique, creative and entrepreneurial team that works together to solve our clients’ most complex commercial problems. 

\r\n\r\n

Through our award-winning graduate program, customise your career pathway. Forget the standard rotational program and start immediately in one of our specialist areas. 

\r\n\r\n

Thrive in an environment where respect, well-being, inclusion and integrity are central. You will join a supportive team, committed to enhancing diversity and celebrating differences.

\r\n\r\n

Whatever your passion, create your career path with KordaMentha.

\r\n\r\n

Your opportunity: Performance Improvement

\r\n\r\n

Boards and management teams rely on us to improve performance through addressing their most pressing financial, commercial and operational issues. We act for private and public sector organisations that are navigating serious challenges where significant financial, operational or reputational value is at risk.

\r\n\r\n

Working alongside our Performance Improvement specialists, this is your opportunity to learn how we help organisations to improve their current performance or undertake an end-to-end turnaround. Under expert mentorship, gain valuable experience across cost out and control, revenue protection and growth, people and organisation redesign, complex project support and interim and crisis management. 

\r\n\r\n

What you’ll be doing

\r\n\r\n

As a graduate in our performance improvement team, you will experience rapid professional growth and work across a diverse range of industries, clients and situations. While no two days will be the same, you can expect to:

\r\n\r\n
    \r\n\t
  • Be involved in researching industries and potential clients
  • \r\n\t
  • Assist in the preparation of client proposals and submissions
  • \r\n\t
  • Undertake financial and operational modelling to understand key drivers and options
  • \r\n\t
  • Spend time on client sites interviewing staff and other stakeholders important to achieving target outcomes
  • \r\n\t
  • Work as part of a team preparing and presenting reports, implementation programs and engagement progress updates
  • \r\n\t
  • Be involved in a range of business development and marketing activities
  • \r\n\t
  • Be responsible for monitoring and updating various internal team and client management systems
  • \r\n\t
  • Receive significant training both on the job, online and in a formal environment;
  • \r\n\t
  • Work in Victoria and interstate on challenging, stimulating complex engagements
  • \r\n\t
  • Have regular exposure to Partners and other senior leaders
  • \r\n\t
  • Receive regular performance feedback and career guidance.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

You will be a recent graduate or student in your final year of study and will have:

\r\n\r\n
    \r\n\t
  • an IT, computer science or law degree with strong academic results.
  • \r\n\t
  • excellent analytical and technical skills, with an ability to think outside-the-box.
  • \r\n\t
  • strong written skills.
  • \r\n\t
  • great communication skills and enjoy working in a team.
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only).
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://kordamentha.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=768042", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/consulting-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee33f" - }, - "title": "Graduate Academy", - "description": "

Shape your future with the City of Gold Coast’s Graduate Academy! 

\r\n\r\n

We know you are driven by growth and opportunity, eager to progress quickly, and determined to make an impact. That’s why we offer a full time 12-month immersive graduate program designed to unlock your strengths and equip you with the knowledge, skills and hands-on experience necessary to excel in your chosen career. 

\r\n\r\n

Working alongside industry leaders, you will contribute to a range of projects and initiatives that help shape and connect our City, providing real world opportunities to grow, develop and progress. With our comprehensive professional development programs, networking opportunities and supportive work environment, you’ll be empowered to reach your full potential. 

\r\n\r\n

Be part of the next gen of GC Shapers 

\r\n\r\n

Commencing in January 2026, our program provides professional development training and on-the-job experience pathways, designed to help bridge the gap from academic study to the work environment. As a graduate of the City, you will have many opportunities available to you: 

\r\n\r\n
    \r\n\t
  • contribute to a range of projects and initiatives not available anywhere else
  • \r\n\t
  • advice and coaching by future-focused, industry-leading professionals, mentors and peers
  • \r\n\t
  • freedom to carve your own path, with the flexibility to design your graduate experience and career direction
  • \r\n\t
  • networking opportunities, tours, exclusive CEO talks and exciting team projects, promoting collaboration across all areas of the City
  • \r\n\t
  • tailored learning including work-based training and an extensive range of personal, professional and career development training designed to set you up for success
  • \r\n\t
  • assistance and support on your path to accreditation
  • \r\n\t
  • support for your continued development journey with future opportunities at the City after the program
  • \r\n\t
  • work-life balance including 9-day fortnight, flexible working from home arrangements and generous leave entitlements
  • \r\n
\r\n\r\n

What's on offer

\r\n\r\n

The City is currently offering Graduate opportunities within the below streams:

\r\n\r\n
    \r\n\t
  • Engineering Stream: All engineering disciplines
  • \r\n\t
  • Digital and Data Stream: Technology, Data Science, Software, Computing
  • \r\n\t
  • Business and Management Stream: Finance, Project Management, Change Management, Creative Arts, Human Services, Sports Management
  • \r\n\t
  • Environment and Sustainability Stream: Environmental Management and Conservation, Environmental Health, Disaster and Emergency Management
  • \r\n\t
  • Planning Stream: Urban and Regional Planning, Environmental Planning, Natural Hazards
  • \r\n
\r\n\r\n

About You

\r\n\r\n

The City of Gold Coast is committed to developing skilled graduates into future City leaders who:

\r\n\r\n
    \r\n\t
  • are curious, motivated and driven to make a difference for the future of the Gold Coast
  • \r\n\t
  • embrace innovation with a forward-thinking and creative mindset
  • \r\n\t
  • seek continuous learning opportunities and are committed to professional development
  • \r\n\t
  • are willing to embrace new challenges, learn new skills and adapt quickly
  • \r\n\t
  • can analyse information, think logically and solve problems creatively
  • \r\n\t
  • possess excellent written, verbal and interpersonal skills and can convey ideas clearly, listen attentively and collaborate effectively
  • \r\n\t
  • contribute positively to the team dynamic, respect diverse perspectives and foster a productive work environment
  • \r\n
", - "company": { - "name": "City of Gold Coast", - "website": "https://au.prosple.com/graduate-employers/city-of-gold-coast", - "logo": "https://connect-assets.prosple.com/cdn/ff/VCO4i1BP_CnfcXmB6ZCmbsS39uj-uD-_rpRFcvkTw0k/1675760602/public/styles/scale_and_crop_center_80x80/public/2023-02/logo-city-of-gold-coast-120x120-2023.jpg" - }, - "application_url": "https://www.goldcoast.qld.gov.au/Council/Careers-with-Council/Graduate-Academy", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/city-of-gold-coast/jobs-internships/graduate-academy-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-02T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee340" - }, - "title": "Telecommunications Officer - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Telecommunications management is a crucial function that ensures the seamless communication and connectivity for members of the government agency. A Telecommunications Officer's role involves maintaining and enhancing telecommunication networks, resolving issues, and implementing new technologies. The Telecommunications Officer will support the agency to integrate and uplift telecommunications planning, and implementation of telecom solutions.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a Telecommunications Officer role may include:

\r\n\r\n
    \r\n\t
  • Assisting in the support and delivery of high-quality standards for government telecommunications services.
  • \r\n\t
  • Translating technical requirements and ideas into user-friendly language.
  • \r\n\t
  • Assisting with research into telecommunications best practices to inform of telecom products, tools, guides, etc.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a Telecommunications Officer role will have:

\r\n\r\n
    \r\n\t
  • A high level of interpersonal and written skills.
  • \r\n\t
  • Strong organisational skills and problem-solving skills.
  • \r\n\t
  • Attention to detail.
  • \r\n\t
  • Ability to analyse and collate information.
  • \r\n\t
  • Effective communication and time management skills.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Understanding of:

\r\n\r\n
    \r\n\t
  • Telecommunications methodologies and modern network management techniques.
  • \r\n\t
  • Government writing styles.
  • \r\n\t
  • Research forums and information sharing.
  • \r\n
\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/telecommunications-officer-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee341" - }, - "title": "Corporate and Enabling Stream Graduate Program", - "description": "

Have you recently graduated from university, looking for an inclusive and diverse work environment, want to make a real difference, be valued, and take on endless opportunities for growth whilst being your authentic self?

\r\n\r\n

If you answered yes to any of the above, the NIAA Graduate Program wants you to apply! 

\r\n\r\n

Our Corporate and Enabling Stream is for individuals who are excited by the opportunity to provide high quality professional services to support the work of the Agency.

\r\n\r\n

Our Agency is unique: we are about people, purpose and partnerships. We are committed to a common goal, we care about each other and our stakeholders, and we work with in partnership to support the self-determination and aspirations of First Nations peoples. 

\r\n\r\n

What NIAA provides

\r\n\r\n
    \r\n\t
  • 12 month program consisting of three rotations through various work areas with a potential rotation in one of our metropolitan, regional or remote locations.
  • \r\n\t
  • Commencing as an APS4, salary of $77,558 p.a. + superannuation with eligible advancement to the APS 5 level and have the opportunity to be assessed to advance to the APS 6 level.
  • \r\n\t
  • Various locations on offer Brisbane, Canberra, Darwin and Perth
  • \r\n\t
  • Choose from one of our tailored streams Policy and Program, Corporate and Enabling and Operations and Delivery
  • \r\n\t
  • Extensive professional learning and development opportunities to support your career progression and possible future promotions
  • \r\n\t
  • Experience our award winning cross-cultural learning ‘Footprints Program’
  • \r\n\t
  • An inclusive and diverse workplace including of our 6 employee networks\r\n\t
      \r\n\t\t
    • Aboriginal and Torres Strait Islander Network
    • \r\n\t\t
    • Culturally and Linguistically Diverse Network
    • \r\n\t\t
    • Disability Network
    • \r\n\t\t
    • Pride Network
    • \r\n\t\t
    • Wellbeing Network
    • \r\n\t\t
    • Women’s Network
    • \r\n\t
    \r\n\t
  • \r\n\t
  • People are the heart of the NIAA, Graduates are no different we provide tailored dedicated support through, buddies, mentors, pastoral care as well as networking opportunities.
  • \r\n
\r\n\r\n

The work you will do

\r\n\r\n

As an NIAA graduate, you will develop the skills, capabilities and networks to progress in your APS careers while contributing to implementing the Government’s priorities to provide the greatest benefit to all First Nations people. 

\r\n\r\n

It’s an incredibly exciting time to be joining the NIAA as we work in partnership to enable the self- determination and aspirations of First Nations people and communities. The Agency is unique, providing endless opportunities and great diversity in our roles, from policy, programs, engagement, grants administration and corporate, and much more. 

\r\n\r\n

In the Corporate and Enabling Stream you will be a part of an integral team who support our staff to achieve the NIAA’s key priorities. For the NIAA to implement policy and programs to benefit First Nations peoples our staff need the best capabilities and support to succeed.

\r\n\r\n

Rotation opportunities in:

\r\n\r\n

•Closing the gap, culture and heritage, early years and education, families and safety, health and wellbeing, housing and infrastructure, employment, land and environment, business and economics, constitutional recognition & truth telling and much more.

\r\n\r\n

You could be assisting with the following key pieces of work:

\r\n\r\n
    \r\n\t
  • Providing advice to the Minister and Assistant Minister for Indigenous Australians, as well as the Special Envoy for Reconciliation and the Implementation of the Uluru Statement from the Heart
  • \r\n\t
  • Implementation of the Uluru Statement from the Heart – Voice, Treaty and Truth.
  • \r\n\t
  • Working closely with Aboriginal and Torres Strait Islander communities, state and territory governments and Indigenous organisations
  • \r\n\t
  • Implementation of the National Agreement on Closing the Gap
  • \r\n\t
  • Developing policies and delivering programs with and for First Nations Peoples
  • \r\n\t
  • Working with and advising other government agencies on Indigenous affairs matters
  • \r\n\t
  • Championing reconciliation throughout Australia.
  • \r\n
\r\n\r\n

Who we’re looking for? 

\r\n\r\n

The NIAA has an ambitious reform agenda ahead of us, we seeking candidates that want to work at the NIAA because they are passionate and want to make a real difference by contributing to work that ensures Aboriginal and Torres Strait Islander peoples are heard, recognised and empowered.

\r\n\r\n

We are looking for a variety of academic disciplines with diverse experiences and backgrounds.  Our graduate roles are fast-paced, dynamic and present an exciting opportunity for someone with curiosity and a willingness to learn. 

\r\n\r\n

So if you are someone that wants to leave your mark on the public service and be able to point to an accomplishment that has lasting impacts for the Australian people, NIAA is the place for you.

\r\n\r\n

Did you know?

\r\n\r\n

The 2026 NIAA Graduate program has both an affirmative measures disability and affirmative measures Indigenous recruitment process. What does this mean? Affirmative measures are vacancies designed to address the under-representation of people who identify as having disability or as Aboriginal and/or Torres Strait Islander in the Australian Public Service (APS).

\r\n\r\n

Who can apply

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last eight years or be in your final year of study with at least a credit average.  

\r\n\r\n

You also must be an Australian citizen and willing to undergo police pre-screening checks as required. Be able to obtain and maintain an Australian Government security clearance to a minimum of Baseline level.

\r\n\r\n

Timeline

\r\n\r\n
    \r\n\t
  • 4 March- 22 April: Submission of a simple online application, including a 300-word pitch, resume with referees and academic transcript.
  • \r\n\t
  • May: Online video interview
  • \r\n\t
  • July: Virtual Assessment Centre including a speed interview, written activity and group activity and Referee checks.
  • \r\n\t
  • September: Offers
  • \r\n\t
  • February 2026: Successful candidates commence the program.
  • \r\n
\r\n\r\n

Please note you may receive an ongoing or non-ongoing offer separate from the Graduate Program

\r\n\r\n

How to apply

\r\n\r\n

We have a real purpose with endless opportunities. 

\r\n\r\n

Leave your mark on the public service apply today for the NIAA Graduate Program, applications close on 22nd April 2025.

\r\n\r\n

To find out more please visit our website.

", - "company": { - "name": "National Indigenous Australians Agency (NIAA)", - "website": "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa", - "logo": "https://connect-assets.prosple.com/cdn/ff/OTPxfq07P3Q0axb7hNQnDYp5AIrHdL-Wr8YGc27goO4/1580832362/public/styles/scale_and_crop_center_80x80/public/2020-02/Logo-NIAA-745x745-2020.jpg" - }, - "application_url": "https://niaa.nga.net.au/cp/index.cfm?event=jobs.home&CurATC=NIAA&CurBID=AC113B92%2DCCAC%2D799D%2DE533%2DAD7111CC408D&persistVariables=CurATC%2CCurBID&rmuh=E1C0ED99AC06199C0E3BE1BDECFDA48DD471FE16", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa/jobs-internships/corporate-and-enabling-stream-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-24T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NT", "QLD", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee342" - }, - "title": "Business Analyst", - "description": "

About us

\r\n\r\n

GNG Partners is a specialist strategy and execution advisory practice. We work alongside senior executives and Boards of leading public and private companies to solve their most critical challenges. We do this by providing objective advice and practical support that is guided by first principles problem solving and detailed analysis built on decades of experience across strategic advisory and executive leadership roles.

\r\n\r\n

Core competencies

\r\n\r\n
    \r\n\t
  • Growth strategy development and corporate direction-setting
  • \r\n\t
  • Operating model design and organisational alignment
  • \r\n\t
  • Strategy implementation planning and support to benefit realisation
  • \r\n
\r\n\r\n

Value proposition

\r\n\r\n
    \r\n\t
  1. Hands-on senior leaders. Our Partners and Senior Advisors apply their top-tier consulting and executive experience through deep involvement in the problem-solving process.
  2. \r\n\t
  3. Small teams working alongside management. We work in relatively small teams together with management to maximise alignment and minimise disruption.
  4. \r\n\t
  5. Fact-based problem solving. Our strategic advice is grounded in thorough analyses of each client’s situation, led by the data and unconstrained by conventional wisdom.
  6. \r\n\t
  7. Practical and actionable advice. We provide recommendations that are implementable in the real world and support our clients to ensure benefits are realised.
  8. \r\n\t
  9. Flexible engagement model. We often align our fees with client outcomes and have flexibility in regards to project duration and size.
  10. \r\n
\r\n\r\n

Areas of expertise

\r\n\r\n
\r\n\r\n\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\r\n
SectorFunctional
\r\n\t\t\t
    \r\n\t\t\t\t
  • Agriculture
  • \r\n\t\t\t\t
  • Aviation 
  • \r\n\t\t\t\t
  • Consumer goods
  • \r\n\t\t\t\t
  • Energy
  • \r\n\t\t\t\t
  • Financial Services 
  • \r\n\t\t\t\t
  • Insurance
  • \r\n\t\t\t\t
  • Mining and minerals processing
  • \r\n\t\t\t\t
  • Oil & gas
  • \r\n\t\t\t\t
  • Property
  • \r\n\t\t\t\t
  • Retail 
  • \r\n\t\t\t\t
  • Technology
  • \r\n\t\t\t\t
  • Telecommunications
  • \r\n\t\t\t\t
  • Transport and logistics
  • \r\n\t\t\t\t
  • Healthcare
  • \r\n\t\t\t
\r\n\t\t\t
\r\n\t\t\t
    \r\n\t\t\t\t
  • Corporate strategy
  • \r\n\t\t\t\t
  • Operating model design 
  • \r\n\t\t\t\t
  • Performance improvement
  • \r\n\t\t\t\t
  • Process improvement
  • \r\n\t\t\t\t
  • Value chain analysis
  • \r\n\t\t\t\t
  • Synergy realisation
  • \r\n\t\t\t\t
  • Customer segmentation
  • \r\n\t\t\t\t
  • Behavioural economics 
  • \r\n\t\t\t\t
  • Brand and marketing
  • \r\n\t\t\t\t
  • Digital performance 
  • \r\n\t\t\t\t
  • New market entry
  • \r\n\t\t\t\t
  • Pricing
  • \r\n\t\t\t\t
  • Product development
  • \r\n\t\t\t\t
  • Value proposition development
  • \r\n\t\t\t
\r\n\t\t\t
\r\n
\r\n\r\n

What you'll do

\r\n\r\n

You will be working alongside Partners, Senior Advisors and other experienced team members to solve our clients’ most pressing problems. Your time will be split between the GNG office overlooking the Sydney Harbour and our clients’ office working with them alongside their team.

\r\n\r\n

Our flexible engagement model means you will get to work across a wide range of business sizes and industries. This will include high-growth technology scale-ups and some of the largest brands globally and everything in between.

\r\n\r\n

You will be responsible for undertaking critical analysis and problem-solving to inform recommendations for Senior Executives. This could include:

\r\n\r\n
    \r\n\t
  • Market entry and exit opportunities
  • \r\n\t
  • Brand expansion and consolidation
  • \r\n\t
  • Acquisition and divestment opportunities
  • \r\n\t
  • Customer segmentation and targeting
  • \r\n\t
  • Growth opportunities across marketing, product, pricing and channel opportunities
  • \r\n\t
  • Operational improvement opportunities 
  • \r\n
\r\n\r\n

You will be given guidance and opportunities that will enable you to quicky progress your career and understand how to have influence at the highest levels of a business, learning from Partners and Senior Advisors who have decades of experience across both strategy and deliver. You will get to see the impact of this work in our clients’ decisions across all areas of the economy.

\r\n\r\n

About you

\r\n\r\n

To be successful here you should:

\r\n\r\n
    \r\n\t
  • enjoy working across diverse industries and solving diverse problems
  • \r\n\t
  • be passionate about analysing and interpreting data that is going to drive key decisions for clients
  • \r\n\t
  • a highly motivated learner supported by a strong academic track record
  • \r\n\t
  • be comfortable working in small non-hierarchical teams and ambiguous problems
  • \r\n\t
  • have strong written and verbal communication skills
  • \r\n\t
  • take satisfaction on having a positive client impact 
  • \r\n\t
  • be highly motivated and energetic, with collegial and sharing work style
  • \r\n\t
  • be adaptable, resourceful, and have a strong work ethic needed to thrive on a small team facing challenging business problems for clients
  • \r\n\t
  • have high professional integrity and sound business judgment when working with colleagues and clients
  • \r\n
", - "company": { - "name": "GNG Partners", - "website": "https://au.prosple.com/graduate-employers/gng-partners", - "logo": "https://connect-assets.prosple.com/cdn/ff/BWUbWp0PSIVNDgwgLaqjTek8xOMlVD7rVa6k8YBkCgQ/1733741670/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-gng-partners-120x120-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/gng-partners/jobs-internships/business-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-28T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee343" - }, - "title": "TRAINEE: Enterprise Risk Management", - "description": "The Trainee role is a full time 24-month contract with Societe Generale where you will have access to a diverse range of training materials to help you succeed, covering various aspects of businesses, including but not limited to technical skills, leadership development, communication skills.", - "company": { - "name": "Societe Generale", - "website": "https://au.gradconnection.com/employers/societe-generale-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/0e22d09c-e7f7-4806-a39d-202bd6e004a0-new-logo.png" - }, - "application_url": "https://careers.societegenerale.com/en/job-offers/trainee-enterprise-risk-management-250000LA-en", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/societe-generale-hk/jobs/societe-generale-trainee-enterprise-risk-management-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-14T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee344" - }, - "title": "Growth Oriented Marketing Manager eCommerce", - "description": "

About the Role

\r\n\r\n

We’re looking for a dynamic Marketing Manager with a passion for driving growth in the eCommerce space. Your focus will be on improving organic visibility, strengthening our brand presence, and implementing effective SEO strategies to attract and retain customers.

\r\n\r\n

You’ll play a key role in SEO for eCommerce, including link-building, content optimisation, and social media management, ensuring our brand gets the attention it deserves. Experience with tools like Semrush is a strong plus.

\r\n\r\n

Key Responsibilities:

\r\n\r\n
    \r\n\t
  • Develop and execute SEO strategies to improve search engine rankings for our eCommerce store.
  • \r\n\t
  • Build high-quality backlinks and track backlink performance.
  • \r\n\t
  • Manage brand mentions and ensure positive engagement across online platforms.
  • \r\n\t
  • Oversee social media management to drive traffic and enhance customer engagement.
  • \r\n\t
  • Collaborate with the content team to create and optimise content for SEO, ensuring it aligns with brand goals.
  • \r\n\t
  • Monitor, analyse, and report on SEO and marketing performance using tools such as Semrush and Google Analytics.
  • \r\n\t
  • Identify opportunities for growth and improvement in content, brand visibility, and link-building efforts.
  • \r\n
\r\n\r\n

What We’re Looking For:

\r\n\r\n
    \r\n\t
  • Proven experience in SEO, link-building, and eCommerce marketing.
  • \r\n\t
  • Familiarity with tools like Semrush (or equivalent SEO tools) for research, tracking, and reporting.
  • \r\n\t
  • Experience managing social media channels and building brand presence online.
  • \r\n\t
  • Strong analytical skills with the ability to interpret data and make data-driven decisions.
  • \r\n\t
  • Excellent communication and content creation skills.
  • \r\n\t
  • Ability to multitask, prioritise, and execute campaigns in a fast-paced environment.
  • \r\n
", - "company": { - "name": "Skinara Healthcare Limited", - "website": "https://au.prosple.com/graduate-employers/skinara-healthcare-limited", - "logo": "https://connect-assets.prosple.com/cdn/ff/LBug1oC8GRc6NiCWSS-y4-yYxMYzUodKyFO9fzQu01Y/1734425960/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-skinara-120x120-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/skinara-healthcare-limited/jobs-internships/growth-oriented-marketing-manager-ecommerce" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-16T11:59:59.000Z" - }, - "locations": ["OTHERS"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee345" - }, - "title": "ITE1-ITE2 Infrastructure Engineer – Systems Administrator", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

ASIO is seeking System Administrators to advance our innovative capability program. ASIO employs a diverse range of technical specialists for the end-to-end design, development, and support of ICT systems and infrastructure underpinning ASIO’s important mission. You will be part of a collaborative and supportive team where contributing ideas and experimentation are encouraged. 

\r\n\r\n

You will be resourceful and willing to develop and implement better ways of working through digital transformation. You will be active in a community of technologists and contribute ideas while continuously developing together.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Systems Administrator in ASIO, you will be responsible for the development and support of the organisation’s IT infrastructure in line with ISM and Essential 8 requirements, our officers may specialise across a number of technical streams including, storage & backup, virtualisation (server and desktop), identity, containerisation, cloud and operating systems and applications. 

\r\n\r\n

Key responsibilities:

\r\n\r\n
    \r\n\t
  • Install, configure, and troubleshoot computer systems, including servers, workstations, and virtual machines.
  • \r\n\t
  • Implement and maintain system security measures, such as access controls, patch management, and antivirus software.
  • \r\n\t
  • Design, implement, and manage identity and access management systems to ensure secure and authorised access to organisational resources.
  • \r\n\t
  • Contribute, revise, and update documentation repositories to reflect changes in technology processes, policies, or compliance standards. 
  • \r\n\t
  • Collaborate with senior administrators to develop and maintain system architecture and infrastructure.
  • \r\n\t
  • Conduct system performance monitoring and optimisation.
  • \r\n\t
  • Participate in incident response and problem management activities.
  • \r\n\t
  • Provide technical support and training to users.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n
    \r\n\t
  • We invite applications from people with the following attributes:
  • \r\n\t
  • Relevant tertiary qualifications in information technology, computer science or related disciplines.
  • \r\n\t
  • Strong understanding of operating systems such as Windows and Linux.
  • \r\n\t
  • Experience with system management tools.
  • \r\n\t
  • Strong analytical and problem-solving skills.
  • \r\n\t
  • Ability to work effectively in a team environment.
  • \r\n\t
  • Industry certifications such as Microsoft / Red Hat / Citrix, VMware certifications, ITIL Foundation in IT Service Management are advantageous. 
  • \r\n\t
  • Up to 2 years of experience in system administration or engineering is advantageous.
  • \r\n\t
  • Open to recent graduates
  • \r\n
\r\n\r\n

In addition, it is desirable for applicants to be able to demonstrate experience in one or more of the following:

\r\n\r\n
    \r\n\t
  • Desktop computing and associated hardware.
  • \r\n\t
  • Microsoft Windows Server and/or desktop.
  • \r\n\t
  • Desktop Virtualisation - Citrix Virtual Apps and Desktops formerly XenApp & XenDesktop.
  • \r\n\t
  • Microsoft System Center suite SCCM, SCOM, SCSM, DPM, Orchestrator.
  • \r\n\t
  • Scripting - PowerShell preferred.
  • \r\n\t
  • Operating Systems i.e. Ubuntu, Linux, RHEL, Windows Server.
  • \r\n\t
  • Server Virtualisation i.e. VMware vSphere, VMware Horizon, VRA, VCF, NSX-T.
  • \r\n\t
  • Authentication and Authorisation technologies i.e. OAuth, SAML.
  • \r\n\t
  • Containerisation i.e. GitLab CI, Ansible, Docker, Kubernetes & Jenkins.
  • \r\n\t
  • Storage, Backup & Recovery Services i.e. NetApp, Dell/EMC – Block, File, ECS, CommVault. 
  • \r\n\t
  • Enterprise I&O Services i.e. Exchange, Active Directory, Group Policy, WSUS, DNS/DHCP/NTP services, SMB/NFS services, OpenSSL, rsyslog.
  • \r\n\t
  • Cloud Technologies i.e. AWS, Microsoft Azure, etc.
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available. Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.• Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra, Sydney and Melbourne.  Relocation assistance is provided to successful candidates where required. 
\r\n
\r\nHow to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements of the role.
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 27 January 2025, 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 
\r\n
\r\nEmployment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.viewFullSingle?in_organid=12852&in_jnCounter=221300808&in_version=&in_jobDate=All&in_jobType=&in_residency=&in_graphic=&in_param=&in_searchbox=YES&in_recruiter=&in_jobreference=&in_orderby=&in_sessionid=&in_navigation1=&in_summary=S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-infrastructure-engineer-systems-administrator" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee346" - }, - "title": "Graduate Officers", - "description": "

Are you looking to build your career and help shape Western Australia’s future? 

\r\n\r\n

Are you passionate about our environment and sustainable development? 

\r\n\r\n

Would you like to be part of a team that values the practice of intergenerational care for Country by our First Nations people? 

\r\n\r\n

Then… choose your environment … choose us 

\r\n\r\n

Our department is on the forefront of environmental legislation, sustainability and developing responses to climate change. We are a place of opportunity where the work is meaningful and makes an impact in our community and State for a better and more sustainable future.  

\r\n\r\n

Our 12-month program aims to build the skills, experience and networks required for a successful career in the Western Australian public sector and our customised rotation plan, designed around our needs and your interests, provides you with opportunities to experience and work on state-wide projects and initiatives. 

\r\n\r\n

We work closely with leaders in the mining, engineering, transport, resource, urban and regional planning and development, tourism, construction, and agricultural sectors.  We partner with local and state industry, Traditional Owners and educational institutions and have a global presence in our programs and projects.  

\r\n\r\n

You will also be joining an organisation that leans into its values-based culture which reflects who we are and how we go about business. 

\r\n\r\n

We care | We build trust | Better together | Open minds | We serve to make a difference 

\r\n\r\n

What we are looking for in our prospective Graduates 

\r\n\r\n

People with a growth-oriented mindset, committed to lifelong learning, and developing their expertise and networks. 

\r\n\r\n

People who have graduated in the last two years with a bachelor’s degree in disciplines relevant to our work are encouraged to apply. This includes areas of study relevant to environmental sciences, hydro-engineering and hydrogeology, data analytics and modelling, science communication, legal, cultural, or political studies, project management or corporate services. 

\r\n\r\n

Our department is committed to creating and maintaining a diverse workforce that reflects the community we serve, and an inclusive culture where all employees feel valued, respected and connected. The diversity of our workforce is our strength; it enhances our ability to be forward-thinking.   

\r\n\r\n

Our graduate program is an equity, diversity and youth initiative, and we encourage applications from: 

\r\n\r\n
    \r\n\t
  • People 24 years and under
  • \r\n\t
  • Aboriginal and Torres Strait Islander peoples
  • \r\n\t
  • People living with disability
  • \r\n\t
  • Women in STEM (Science, Technology, Engineering and Maths disciplines).
  • \r\n
\r\n\r\n

What we can offer you 

\r\n\r\n

Our department offers an attractive remuneration, great employment benefits, personal and professional learning opportunities, regional benefits, flexible work and a variety of leave options including Cultural leave.  You can find more information on the benefits in our application information pack.

\r\n\r\n

Specifically, you can expect: 

\r\n\r\n
    \r\n\t
  • A 12-month fixed term contract from 2 February 2026 commencing at Level 3, $79,156 per annum plus superannuation
  • \r\n\t
  • Permanent appointment commencing February 2027, subject to performance evaluation and successful completion of our graduate learning and development program
  • \r\n\t
  • Customised rotational opportunities to build your skills and expertise including opportunities to travel around the state.
  • \r\n\t
  • 12-month Young Professionals membership with the Institute of Public Administration Associates (IPAA)
  • \r\n\t
  • Comprehensive mentoring and support network with skilled and diverse professionals
  • \r\n\t
  • Ongoing support from our very own Youth Outreach Understanding Networking Group (YOUNG)
  • \r\n\t
  • Flexible working hours
  • \r\n
\r\n\r\n

Additionally, all suitable applicants that are not selected into the Graduate Program will remain in a recruitment pool for a period of 12 months, during which time other fixed term or permanent job opportunities at DWER may be offered. 

\r\n\r\n

Ready tochoose your environment– Here’s how to apply 

\r\n\r\n

Just four easy steps: 

\r\n\r\n
    \r\n\t
  1. Ensure your CV is up to date and includes two referees. These two people will need to be able to comment on your skills and abilities. This may be a current or previous work supervisor, or an academic supervisor such as a lecturer or tutor.
  2. \r\n\t
  3. Have an electronic copy of your academic transcript and evidence you have completed a relevant undergraduate qualification in the last two years (2023 – 2025).
  4. \r\n\t
  5. Write a cover letter (no more than two pages) which speaks to us about your interests in our work and this program and how it aligns with your studies, your values and career goals.
  6. \r\n
\r\n\r\n

Please Note:  

\r\n\r\n
    \r\n\t
  • You must be an Australian Citizen or permanent resident at the time you lodge your application
  • \r\n\t
  • DWER conducts employment screening which may include National Criminal history
  • \r\n
\r\n\r\n

Access Needs 

\r\n\r\n

If you have any access needs that may require adjustment to allow you to fully participate in the recruitment process, including alternate methods of communication, or accessing documents in an alternative format please contact graduates@dwer.wa.gov.au. 

\r\n\r\n

We use the National Relay Service (NRS) to ensure we are accessible to people who are deaf or have a hearing or speech impairment. NRS can help you connect with us on: 

\r\n\r\n
    \r\n\t
  • TTY/voice calls – 133 677
  • \r\n\t
  • Speak & Listen – 1300 555 727
  • \r\n\t
  • SMS relay – 0423 677 767
  • \r\n
\r\n\r\n

We can’t wait to hear from you! 

\r\n\r\n

You’ll be joining a team making a difference

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "The Department of Water and Environmental Regulation (DWER)", - "website": "https://au.prosple.com/graduate-employers/the-department-of-water-and-environmental-regulation-dwer", - "logo": "https://connect-assets.prosple.com/cdn/ff/6f83_oYCkERyHxg7NDdztSg-Jb2oAGc4xItkl_ViY-4/1686118817/public/styles/scale_and_crop_center_80x80/public/2023-06/dewr%20logo.jpeg" - }, - "application_url": "https://www.wa.gov.au/organisation/department-of-water-and-environmental-regulation/graduate-programs-department-of-water-and-environmental-regulation", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/the-department-of-water-and-environmental-regulation-dwer/jobs-internships/graduate-officers-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-18T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee347" - }, - "title": "Graduate Business Analyst", - "description": "

As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program

\r\n\r\n

You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in

\r\n\r\n

You will attend a graduate specific induction along with monthly graduate catch ups as an opportunity to build connections internally and to learn more about the business

\r\n\r\n

You will be offered a formal mentoring program to help grow your career

\r\n\r\n

and will undertake a number of professional development and training courses to get you upskilled.

\r\n\r\n

Leidos Benefits

\r\n\r\n

Access to over 100,000 online training and development courses through our the technical training portal Percipio

\r\n\r\n

Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities and the Defence & Emergency Services

\r\n\r\n

Entitlement to one day a year of volunteer leave to support a cause you’re passionate about

\r\n\r\n

Leidos is a family friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for an alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests

\r\n\r\n

Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers

\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees support vital missions for government and commercial customers. 

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ person local business, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises (SME).

\r\n\r\n

Helping to safeguard our fellow Australians is important and fascinating work. So, whether delivering important geospatial and imagery systems to the Department of Defence, supporting the IT infrastructure for the ATO, delivering major IT transformation projects to Federal Government, or conducting airborne special missions on behalf of the Australian Government, we work closely together with our customers and colleagues to deliver smart solutions that they want to use. Innovative, technically advanced and highly practical. 

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Business Analyst could include a wide range of activities including:

\r\n\r\n

Supporting the analysis and development of business and technical processes and workflows to support the replacement of current, and implementation of new systems to support overall business transformation for the customer;

\r\n\r\n

Reporting on tasks and project activities, highlighting risks and issues appropriately;

\r\n\r\n

Communicating with a broad range of technical and business stakeholders, including responding to queries;

\r\n\r\n

Investigating operational requirements, problems, and opportunities, seeking effective business solutions through improvements to business processes and workflows to achieve successful implementation of a new system;

\r\n\r\n

Assisting in the analysis of stakeholder objectives and the underlying issues arising from investigations into business requirements and problems, and identifying options for consideration;

\r\n\r\n

Working with stakeholders, to identify potential benefits and available options for consideration;

\r\n\r\n

Contributing to the selection of the business analysis methods, tools and techniques;

\r\n\r\n

Supporting the Service Delivery team with ad hoc tasks, as required.

\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor of Business
  • \r\n\t
  • Bachelor of Commerce
  • \r\n\t
  • Bachelor of Finance
  • \r\n\t
  • Bachelor of Economics
  • \r\n\t
  • Bachelor of Information Technology
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional Information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks paid parental leave as a primary carer and more. We look forward to welcoming you.

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-business-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee348" - }, - "title": "Management Trainee Program – Data & Analytics Stream", - "description": "

About our Program? 

\r\n\r\n

Our Management Trainee Program has been uniquely designed to build your business and leadership expertise, enriched with experiences and exposure to set you up for a successful career in L’Oréal. 

\r\n\r\n

Features:

\r\n\r\n
    \r\n\t
  • 2-3 Rotations (lasting 6months each) in your chosen stream across our 5 divisions (Consumer Products, Luxury Brands, Dermatological Beauty, Professional Salon Products and Corporate)
  • \r\n\t
  • Dedicated 1on1 Mentoring from our top talent management
  • \r\n\t
  • Buddy Program with past Management Trainees
  • \r\n\t
  • Personal monthly catchups with our CEO & Senior Management Team
  • \r\n\t
  • Monthly moments with HR & Subject Matter Experts
  • \r\n\t
  • Be part of the international Management Trainee Cohort
  • \r\n\t
  • Permanent Contract with guaranteed role after completion
  • \r\n\t
  • Hands on experience in stores and conducting consumer research
  • \r\n\t
  • Supportive induction and dedicated 1 week onboarding to set you up for success
  • \r\n\t
  • Customised learning and development throughout the year – mix of soft and technical skill training to enhance your growth in the program
  • \r\n\t
  • Access to bespoke e-learning modules to upskill yourself at your own direction
  • \r\n\t
  • Be part of a vibrant cohort and enjoy social moments through the year
  • \r\n
\r\n\r\n

Perks:

\r\n\r\n

Contract benefits: 

\r\n\r\n
    \r\n\t
  • Product Allowance to use across the company
  • \r\n\t
  • Access to discounted products through our on-site staff shop
  • \r\n\t
  • Leave benefits - extra 5 days of leave per year and 2 days of volunteering leave
  • \r\n\t
  • Profit Share Bonus
  • \r\n\t
  • Life insurance and Income Protection
  • \r\n
\r\n\r\n

Company benefits:

\r\n\r\n
    \r\n\t
  • Summer hours (Shorter Friday hours during summer)
  • \r\n\t
  • Invitation to L’Oréal and Divisional Signature Events
  • \r\n\t
  • On-site café with city and river views
  • \r\n\t
  • On-site gym which you can access for free
  • \r\n\t
  • Access to Health & Well-being programs throughout the year
  • \r\n\t
  • International career opportunities
  • \r\n\t
  • Hybrid working model – 60:40 Split Office vs. Home
  • \r\n
\r\n\r\n

About the Data & Analytics Stream? 

\r\n\r\n
    \r\n\t
  • Gain experience in roles like corporate strategy & analytics, consumer insights and category business development.
  • \r\n\t
  • Tracking trends, perform exploratory data analyses and investigate areas of nuances, identify and design key business, product, and technical metrics of interest
  • \r\n\t
  • Ensure accuracy and quality of data through data acquisition and standardisation
  • \r\n\t
  • End-to-end exposure to the processes behind sophisticated data modelling and analysis across a diverse range of business use cases
  • \r\n\t
  • Research market and consumer insights to uncover shopper behaviour
  • \r\n\t
  • Present relevant data, insights, and actions to key internal stakeholders
  • \r\n\t
  • Collaborate with internal teams on devising effective strategies for project roll out
  • \r\n
\r\n\r\n

Our data & analytics trainees gain exposure to cutting-edge technologies and methodologies. This is an exceptional opportunity to learn from our growing data and analytics community, develop your skills, and establish a strong foundation in data and analytics. 

\r\n\r\n

About you? 

\r\n\r\n

We are looking for passionate, entrepreneurial and innovative graduates to help us create the future of Beauty. You will forge your own career path, going beyond what you thought was possible by reacting fast and being able to hit the ground running. You will need to have leadership skills and be able to take direction as well. All background and disciplines are welcome. 

\r\n\r\n

You might be sporty, you might not. You can be an introvert or an extrovert. A beauty junkie, a data genius, or a crazy scientist. The point is, whoever you are, we want to hear from you.  Our teams are always there to help, celebrate and cheer one another! That’s what makes the glue of L’Oréal: the people. And that is something we’re proud of! 

\r\n\r\n

Freedom to go beyond:

\r\n\r\n

Some of our previous graduates are now launching new brands, others are spearheading process improvement projects and then there are those who are now high-flying professionals working across the world! One thing they all have in common is the profound impact made on our company. Because of this, we take great pride in our Management Trainees and as such, invest heavily in their training, support, and development. 

\r\n\r\n

Next steps? 

\r\n\r\n
    \r\n\t
  • Applications close at 11:59 pm AEST Sunday 31st March 2025
  • \r\n\t
  • Shortlisting will be done in April.
  • \r\n\t
  • Shortlisted candidates will be invited for a video interview and cognitive assessment.
  • \r\n\t
  • Those selected, will be invited to the assessment centre hosted at L’Oréal (6-10 May)
  • \r\n\t
  • Offers will be made by end of May
  • \r\n
\r\n\r\n

If you want to join the world’s largest beauty company and join us in creating beauty that moves the world, Pre-register now to get notified when the job is open!

\r\n\r\n

L'Oréal Australia & New Zealand is a supporter of reducing barriers that exist due to traditional working practices and therefore flexible work arrangements will be considered for this role. We are committed to achieving a diverse workforce and encourage applications from people with disability, Aboriginal and Torres Strait Islander peoples and people from culturally diverse backgrounds. We are an Employer of Choice for Gender Equality (WGEA) and a Family Friendly Workplace (Parents At Work & UNICEF). We hold a Reflect Reconciliation Action Plan and we acknowledge the Traditional Custodians of the lands on which we work and pay our respects to their Elders past and present.

", - "company": { - "name": "L'Oréal Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q_KIii4y0763fDN6UoVrE_HbLri-wM5nUEqUamrQoWc/1634801839/public/styles/scale_and_crop_center_80x80/public/2021-10/logo-loreal-480x480-2021.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand/jobs-internships/management-trainee-program-data-analytics-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee349" - }, - "title": "Graduate Quality Assurance Engineer", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible. Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day. To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always. At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve. Join us.

\r\n\r\n

We are looking for talented individuals to join us in 2026. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order they apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

About the Team

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next-generation video processing platform and the largest live-streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle the challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

What You Will Be Doing

\r\n\r\n
    \r\n\t
  • Deliver high-quality products on video-on-demand, live-streaming, and real-time communication systems from the backend perspective. This includes designing test strategies, writing test cases, executing functional, performance, and regression tests, verifying bug fixes, and providing comprehensive test reports.
  • \r\n\t
  • Track task progress, assess potential risks, coordinate across teams, and ensure the delivery of products with excellent quality.
  • \r\n\t
  • Develop new features for automation and create regression test cases while contributing to the development of CI/CD (Continuous Integration/Continuous Deployment) processes.
  • \r\n\t
  • Build and optimize development and QA processes to improve overall quality and efficiency.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Proficiency in at least one programming language, such as Python, Go, or Java
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience with automation testing frameworks or DevOps practices
  • \r\n\t
  • Keen awareness of product features and a drive to enhance user experience
  • \r\n\t
  • Passionate, self-motivated individual with strong teamwork abilities
  • \r\n\t
  • Excellent learning, analytical, troubleshooting, and communication skills
  • \r\n\t
  • Involvement in personal coding projects or open-source contributions
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://careers.tiktok.com/position/7264422689727727927/detail?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-quality-assurance-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34a" - }, - "title": "Leadership Development Program", - "description": "

Teach For Australia’s Leadership Development Program (LDP) offers graduates the opportunity to study for a Master of Teaching on an assisted scholarship with Australian Catholic University (ACU).

\r\n\r\n

Salary: $62,000 - $72,000 per annum

\r\n\r\n

Become an impact-driven leader

\r\n\r\n

During the two-year program, you’ll teach your area of expertise to secondary school students from low socioeconomic communities and play an active role in breaking the cycle of educational inequality in Australia.

\r\n\r\n

As a leader in the classroom, you’ll share your passions with young people and act as a role model and mentor. You’ll also develop the skills and experience needed to become an effective and impact-driven leader both inside and outside the classroom and get an insight into what’s needed to create lasting social changes.

\r\n\r\n

About you

\r\n\r\n

Before you apply for the Leadership Development Program, you’ll need to:

\r\n\r\n
    \r\n\t
  • be an Australian citizen or permanent resident at the time of applying
  • \r\n\t
  • hold a bachelor's degree in a discipline other than teaching
  • \r\n\t
  • be willing to accept a placement within the state or territory where we currently operate
  • \r\n\t
  • be able to enrol in at least two learning areas – these will be the subjects you are qualified to teach. Maths, Physics, Engineering, Science, English/Literature and LOTE degree holders are especially encouraged to apply.
  • \r\n
\r\n\r\n

Please note that we close learning areas progressively as we meet demand. 

\r\n\r\n

We currently place LDP ‘associates’ in schools in:

\r\n\r\n
    \r\n\t
  • Victoria
  • \r\n\t
  • Western Australia
  • \r\n\t
  • Tasmania
  • \r\n\t
  • South Australia
  • \r\n\t
  • Northern Territory.
  • \r\n
\r\n\r\n

About Teach for Australia 

\r\n\r\n

Not every child in Australia has access to the education they deserve. For example, children from the lowest-income households are, on average, three years behind in school compared to other children their age.

\r\n\r\n

Teach for Australia exists to help break this cycle of educational inequity and level the playing field for all young people across Australia. We do this by recruiting, training and supporting exceptional people to teach and lead across Australia.

", - "company": { - "name": "Teach For Australia", - "website": "https://au.prosple.com/graduate-employers/teach-for-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7fLhC288PJxTpfz7xyqF186cuDCVZiP-aqktv3SBOds/1646198099/public/styles/scale_and_crop_center_80x80/public/2022-03/1646197303221_TFA%20Logo%20200x200%20%281%29.jpg" - }, - "application_url": "https://teachforaustralia.org/our-programs/leadership-development-program/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/teach-for-australia/jobs-internships/leadership-development-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-05T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "NT", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34b" - }, - "title": "ICT Support", - "description": "A commercial and insurance law firm is looking for an enthusiastic and flexible law firm to join their team in Sydney as ICT Support.", - "company": { - "name": "ACS Foundation", - "website": "https://au.gradconnection.com/employers/acs-foundation", - "logo": "https://media.cdn.gradconnection.com/uploads/272dd3aa-35ab-43a3-807c-4f650784613b-272dd3aa-35ab-43a3-807c-4f650784613b-272dd3_N03ZUQE.jpg" - }, - "application_url": "https://www.foundationjobs.com.au/FoundationJobs/ictsupportsydney", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/acs-foundation/jobs/acs-foundation-ict-support" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T12:59:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Computer Science", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": ["AUS_CITIZEN", "WORK_VISA", "WORK_VISA", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34c" - }, - "title": "Product, Strategy and Customer Experience Graduate Program", - "description": "
    \r\n\t
  • Our people work flexibly. Enjoy a mix of team time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • You’ll experience a world-class rotational Graduate Program, tailored to the career pathway you choose and designed to support you as you launch your career.
  • \r\n\t
  • We have great work perks (think gym discounts and reward points to put towards your next holiday). And we’re going to have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters 

\r\n\r\n

You’ll bring your curiosity, customer-centricity and creative mindset to the team. You’ll focus on innovating, setting the strategy for our products, and have the opportunity to support our customers wanting to build their wealth. 

\r\n\r\n

Throughout your selected program, you’ll be provided with multiple professional development opportunities such as masterclasses, training courses and graduate conferences. You’ll be empowered to develop your technical skills, commercial acumen, stakeholder influencing and relationship-building capabilities to set you up for success.

\r\n\r\n

See yourself in our team 

\r\n\r\n

Our Product, Strategy and Customer Experience career pathway has four programs you can choose from. 

\r\n\r\n

Business Banking – CommSec (Sydney)

\r\n\r\n

You’ll rotate across three teams over the 15-month CommSec Graduate Program. 
\r\n
\r\nOur team of trading, product and account experts work together to provide our retail and wholesale clients with access to online broking and investment product options. You’ll develop your knowledge and expertise within the CommSec and broader Business Banking teams. 

\r\n\r\n

At the end of your program, you can expect to successfully transition into a challenging role as an Analyst across one of our CommSec teams. 

\r\n\r\n

Business Banking – Product Development (Sydney) 

\r\n\r\n

You’ll rotate across three teams over the 12-15 month Product Development Graduate Program. 

\r\n\r\n

You’ll experience direct exposure to the development of new propositions, in-life product lifecycle management and uplifting our customer experiences.

\r\n\r\n

At the end of your program, you can expect to successfully transition into a challenging role as an Analyst across one of the following teams Health, Payments, Everyday Business Banking, Business Lending and Analytics, Data and Decision Science. 

\r\n\r\n

Join us 

\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a specific degree, your skills may align with one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian/NZ citizen or Australian permanent resident at the time of your application;
  • \r\n\t
  • In the final year of your overall university degree, or have completed your final subjects within the last 24 months; and
  • \r\n\t
  • Achieving at least a credit average across your overall degree;
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/product-strategy-and-customer-experience-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34d" - }, - "title": "Graduate Program (Economist Stream)", - "description": "

At the Department of Education, our goal is to create a better future for all Australians through education.

\r\n\r\n

By supporting a strong early childhood education system, we help children prepare for school and families re-engage with work. Through education and learning, we change lives – opening a world of possibilities for children and young people.

\r\n\r\n

We provide advice to our Ministers and lead the implementation of Government policies and programs to build a strong education system. We draw on the best available research, evidence and data and work collaboratively with industry, stakeholders and state and territory governments.

\r\n\r\n

As an organisation of approximately 1,600 staff, we pride ourselves on our positive, supportive and inclusive workplace culture (https://www.education.gov.au/about-department/work-us/life-education) that nurtures talent and encourages employees to achieve their full potential.

\r\n\r\n

To learn more about our department, including our key priorities, refer to our 2024-25 Corporate Plan (https://www.education.gov.au/about-department/resources/202425-corporate-plan-department-education).

\r\n\r\n

Make a difference! Join our graduate program.

\r\n\r\n

We are looking for graduates from all degree disciplines to help us deliver Australian Government priorities across the education sector.

\r\n\r\n

The Department participates in the Australian Government Graduate Program (AGGP - https://www.apsjobs.gov.au/s/graduate-portal), working collaboratively with other APS agencies to recruit talented individuals for our Graduate Program. If you’re interested in empowering people to achieve their potential through education— preference Education and get your career startED with us! 

\r\n\r\n

Our graduate program is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you’ll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career in the Australian Public Service (APS). As an Education Graduate, you will be provided with varied and challenging work supported by formal learning and development opportunities, on the job training and mentoring.

\r\n\r\n

Successfully completing our graduate program will help you apply your skills in new ways while building a strong foundation for a fulfilling career at the department or across the Australian Public Service (APS).

\r\n\r\n

Why join us

\r\n\r\n
    \r\n\t
  • Career progression: Start as an APS Level 3 and progress to APS Level 5 on successful completion of the program. Refer to the Australian Public Service Commission website for more information on APS levels.
  • \r\n\t
  • Salary increase: Start at $75,419 (plus 15.4% superannuation) and progress to $90,580 (plus 15.4% superannuation) upon successful completion of the program.
  • \r\n\t
  • Placements: Full-time 10-month program, involving two 5-month work placements, allowing you to work on a variety of priority policies, programs or projects.
  • \r\n\t
  • Learning and Development: Experience on-the-job training, supported by a range of formal learning and development opportunities.
  • \r\n\t
  • Buddy Program: We will match you up with a ‘buddy’ from the previous year’s graduate program, who can support and guide you by sharing their experience and insights.
  • \r\n\t
  • Location options: The majority of positions are located in Canberra with some opportunities available interstate. Relocation assistance is provided to candidates who relocate to Canberra.
  • \r\n\t
  • Employee Networks: Help contribute to a positive and inclusive workplace culture by joining our Employee Networks.
  • \r\n\t
  • Community: Participate in Social Club and Graduate Fundraising activities to connect with colleagues at every level.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply through the AGGP, applicants must submit a completed application prior to the closing date and time and provide evidence of or confirmation of the following:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • will or have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • your most recent eligible qualification has or will be completed between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government baseline security clearance once accepted onto the program
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
\r\n\r\n

If you secure a place in our Graduate Program the department will guide you through the process of obtaining your Baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

The Department of Education participates in the following AGGP streams. You can apply for one or many of the streams below to be considered for a role with us. 

\r\n\r\n
    \r\n\t
  • Generalist
  • \r\n\t
  • Data
  • \r\n\t
  • Economist
  • \r\n\t
  • Legal
  • \r\n\t
  • Indigenous Graduate Program
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Digital
  • \r\n\t
  • HR
  • \r\n
\r\n\r\n

Visit our website (https://www.education.gov.au/graduate-and-entry-level-programs/graduate-program) to read more about what we can offer you as a 2026 Education Graduate.

\r\n\r\n

Applications for the 2026 Australian Government Graduate Program will open in March 2025, but we offer an Expression of Interest Register allowing you to share your interest in the meantime. When you express your interest we'll keep in touch, so you know when you can apply and what opportunities we offer.

\r\n\r\n

Complete the expression of interest for our exciting and rewarding Graduate Program!  Click \"Pre-register\" now!

\r\n\r\n

Make a difference by creating a better future for all Australians through education. You have what it takes. Join us!

", - "company": { - "name": "Department of Education", - "website": "https://au.prosple.com/graduate-employers/department-of-education", - "logo": "https://connect-assets.prosple.com/cdn/ff/tsByEVvor94eh3WGilznUAccgJVe39CrWnZreg3RUcY/1728363959/public/styles/scale_and_crop_center_80x80/public/2024-10/1728363956567_3282%202026%20Graduate%20Recruitment%20Campaign_Prosple%20Banner_crest_jade.jpg" - }, - "application_url": "https://dese.nga.net.au/?jati=93A5A59F-8412-8C6E-107A-DB33799B93F4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-education/jobs-internships/graduate-program-economist-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "SA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34e" - }, - "title": "Policy Futures Graduate Program", - "description": "

As a Policy Futures graduate, you'll get to explore a wide range of opportunities to find your purpose, unleash your potential and create a better Queensland.

\r\n\r\n

You'll rotate across Queensland Government, gaining exposure to diverse and complex policy environments where you will be free to explore your interests and learn from experts in the field.

\r\n\r\n

Your work can impact how health, education, transport, infrastructure, police and emergency services impact and benefit Queenslanders.

\r\n\r\n

Why join us?

\r\n\r\n
    \r\n\t
  • Great employee benefits - Competitive pay, 12.75% superannuation and flexible work arrangements, generous leave entitlements, salary packaging options and more!
  • \r\n\t
  • Unique and diverse career opportunities - Explore your interests. Follow your passion. The career possibilities are endless. Your work can impact how health, education, transport, infrastructure, police and emergency services impact and benefit Queenslanders.
  • \r\n\t
  • Inclusion for all - As the state's largest employer, we are committed to building an inclusive and diverse workforce that reflects the community we serve. We're looking for graduates with a range of skills, backgrounds and lived experiences.
  • \r\n\t
  • Opportunities for you to develop and grow - Throughout the program, you will participate in a structured learning and development program, ensuring you have the skills and tools to tackle any policy issue that gets thrown your way. Our program builds the future of policy leaders of Queensland.
  • \r\n
\r\n\r\n

Who we're looking for

\r\n\r\n

We're looking for graduates with a genuine desire to make a difference in Queensland.

\r\n\r\n

The policy is a diverse field that requires input from all degrees and disciplines. Whatever you studied⁠—from law to economics, creative industries to social work⁠—your skills and experience will be valued.

\r\n\r\n

Some of our past graduates have backgrounds in counter-terrorism, mathematics, social sciences, law, public health and economics, just to name a few.

\r\n\r\n

We would love to hear from you if you:

\r\n\r\n
    \r\n\t
  • are a collaborative team player
  • \r\n\t
  • have strong communication skills
  • \r\n\t
  • are passionate about our community
  • \r\n\t
  • are adaptable and resilient
  • \r\n\t
  • have a passion for learning and a desire to continuously improve.
  • \r\n
\r\n\r\n

Career pathways

\r\n\r\n

As the state's largest employer, we are committed to building an inclusive and diverse workforce that reflects the community we serve, and where everyone feels safe, respected and included.

\r\n\r\n

Our recruitment process is inclusive and aims to provide all candidates with the best opportunity to demonstrate suitability for the program. We offer career pathways for First Nation candidates and candidates with disabilities.

", - "company": { - "name": "Policy Futures Graduate Program (Queensland Government)", - "website": "https://au.prosple.com/graduate-employers/policy-futures-graduate-program-queensland-government", - "logo": "https://connect-assets.prosple.com/cdn/ff/ELrRLYyk6NEqbnyxsG_p02NrzozNIH8XHmLbflOSu8E/1674469262/public/styles/scale_and_crop_center_80x80/public/2023-01/1674469259086_Untitled%20design.png" - }, - "application_url": "https://www.qld.gov.au/jobs/graduates/graduate-programs/policy-futures", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/policy-futures-graduate-program-queensland-government/jobs-internships/policy-futures-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T11:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee34f" - }, - "title": "2025 dbEnable Work Placement Internship Programme - Singapore", - "description": "Our dbEnable Work Placement Internship Programme is an internship programme designed to recognise talent and support students with disabilities to gain professional experience across various divisions in the bank.", - "company": { - "name": "Deutsche Bank Singapore", - "website": "https://au.gradconnection.com/employers/deutsche-bank-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/f73bc8a7-d30b-4eb0-ba33-9475090d7485-db_2022_logo_resizing_240x240_blue.jpg" - }, - "application_url": "https://db.recsolu.com/external/requisitions/AI8IqG3oqH_vGbRIcUMErA?kid=singapore-.EarlyCareers_general-brand-awareness.Gradconnection.job-posting.paid.2025-dbenable-work-placemen-(job-post).RadancySG", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/deutsche-bank-sg/jobs/deutsche-bank-singapore-2025-dbenable-work-placement-internship-programme-singapore-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-02-14T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee350" - }, - "title": "Risk Management Graduate Program", - "description": "
    \r\n\t
  • Our people work flexibly. Enjoy a mix of team time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • You’ll experience a world-class rotational Graduate Program, tailored to the career pathway you choose and designed to support you as you launch your career.
  • \r\n\t
  • We have great work perks (think gym discounts and reward points to put towards your next holiday). And we’re going to have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n

When you join the Risk Management Graduate Program, you'll work alongside incredibly talented risk professionals, who are committed to supporting your career. You'll be working on programs of work with large impacts across the business, customers and communities. This includes current risk practice, focusing on emerging risk and industry trends.

\r\n\r\n

Risk Management has its very own Risk Academy, investing in you from the moment you arrive, through:

\r\n\r\n
    \r\n\t
  • An onboarding experience that’s personalised to you and your career, including a clear view of the skill requirements for your role, and how to develop them;
  • \r\n\t
  • Tailored technical learning pathways providing self-directed learning opportunities to support your personal and career goals;
  • \r\n\t
  • Providing an opportunity to develop those all-important soft skills – thought leadership and coaching, problem-solving and decision making, effective business and report writing, honing those meeting and presentation skills;
  • \r\n\t
  • Access to an incredibly talented and experienced pool of mentors with a growth mindset.
  • \r\n
\r\n\r\n

See yourself in our team

\r\n\r\n

You’ll have three rotations across the 18-month program where you’ll immerse yourself in different areas of Risk Management across the business. You’ll also: 

\r\n\r\n
    \r\n\t
  • Help to disrupt financial crime across CommBank and the broader community, protecting our customers and the bank through implementing compliance obligations & regulatory change;
  • \r\n\t
  • Work on projects that navigate the highs and lows of the credit cycle in credit risk (which impacts some of our most vulnerable customers);
  • \r\n\t
  • Strategically explore the mechanics of operational risk that looks at everything from people to customers to third parties, suppliers and vendors, technology and transactions and all the risks in between.
  • \r\n
\r\n\r\n

Risk Management engages with every area across CommBank which provides an enormous springboard for roll-off opportunities! 

\r\n\r\n

Check out commbank.com.au/graduate to find out more. 

\r\n\r\n

We’re interested in hearing from you if:

\r\n\r\n
    \r\n\t
  • You have a STEM-related degree majoring in disciplines such as data science; mathematics; computer science; cyber or environmental science; or a business degree focusing on accounting; finance or econometrics. Or a degree within the humanities area such as criminology; financial crime or legal;
  • \r\n\t
  • You’re a naturally curious, analytical and strategic thinker;
  • \r\n\t
  • You’re passionate about delivering better risk and customer outcomes.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align with one of our roles. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian/NZ citizen or Australian permanent resident at the time of your application;
  • \r\n\t
  • In the final year of your overall university degree, or have completed your final subject within the last 24 months; and
  • \r\n\t
  • Achieving at least a credit average across your overall degree;
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/risk-management-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee351" - }, - "title": "Engineering University Summer Internship", - "description": "

With a world class team of more than 3,500 employees across the country and a number of international sites, Boeing has had a presence in Australia for the last 95 years and is the company’s second largest footprint outside the United States. Boeing partners with Australia’s defence and commercial industries to design and deliver world-leading solutions for our customers, and we are an invaluable part of our country’s research and development community.

\r\n\r\n

If you want to put your university studies into practice before graduating, Boeing Australia’s university internship offers a unique opportunity to immerse yourself in the dynamic world of aerospace, gain hands-on experience and build your professional network.

\r\n\r\n

If you are a university student in your second, third, or fourth year of study, this opportunity is for you. We offer full-time placements across Australia, giving you the chance to apply your academic skills in a practical setting.

\r\n\r\n

As well as interesting, real-life work experience, we also offer peer-support and networking opportunities to guide your development. Plus, you gain insights into Boeing Australia to help decide the best career options for when you graduate.

\r\n\r\n

To apply, please upload your resume, current academic transcripts and a cover letter answering the following application questions:

\r\n\r\n
    \r\n\t
  • What excites you about being part of the Boeing team?
  • \r\n\t
  • What do you hope to experience during your internship?
  • \r\n\t
  • What do you envisage sustainability should look like at Boeing in your field? 
  • \r\n
\r\n\r\n

If you are currently studying a Bachelor of Engineering majoring in one the following, you are eligible to participate:

\r\n\r\n
    \r\n\t
  • Aerospace
  • \r\n\t
  • Avionics
  • \r\n\t
  • Biomedical
  • \r\n\t
  • Chemical
  • \r\n\t
  • Communications
  • \r\n\t
  • Design
  • \r\n\t
  • Electrical
  • \r\n\t
  • Electronics
  • \r\n\t
  • Industrial
  • \r\n\t
  • Mechanical
  • \r\n\t
  • Mechatronics
  • \r\n\t
  • Robotics
  • \r\n\t
  • Software
  • \r\n\t
  • Systems
  • \r\n
\r\n\r\n

In addition, you must be available to work full-time during the course of the internship, which commences late November 2024 and finishes in mid-February 2025. 

\r\n\r\n

Due to the nature of the work you may participate in, you will need to be an Australian citizen with eligibility to obtain a Defence Security clearance.

\r\n\r\n

Boeing is an Equal Opportunity Employer and we invite you to be part of an organisation that fosters a diverse workplace. Aboriginal and Torres Strait Islander people are strongly encouraged to apply.

", - "company": { - "name": "Boeing Australia", - "website": "https://au.prosple.com/graduate-employers/boeing-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-iqlz06Is--1rpXT4pKiQkaKtd_Gjejg6ii7rNePDzQ/1581386331/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-boeing-240x240-2020.jpg" - }, - "application_url": "https://lp.prosple.com/boeing-australia-engineering-university-summer-internship/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boeing-australia/jobs-internships/engineering-university-summer-internship-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee352" - }, - "title": "Intern Program", - "description": "

If you want to drive real change, we have just the place to do it. Our Intern Program is an opportunity for you to shape Rio Tinto from the inside out. We want you to be part of our team to help take us forward by solving the emerging challenges of our time. At Rio Tinto, we believe the best ideas come from bringing people together with different perspectives to work toward a common goal - to create a better tomorrow.  

\r\n\r\n

We’re looking for students from a range of degrees for different areas across our business, including:  

\r\n\r\n
    \r\n\t
  • Engineering – All degrees
  • \r\n\t
  • Sciences – Geoscience, Environmental
  • \r\n\t
  • Technology – Data Science, Software, Computing, Robotics
  • \r\n\t
  • Humanities – Arts, Law, Health & Safety, Archaeology
  • \r\n\t
  • Business – All degrees
  • \r\n
\r\n\r\n

About Rio Tinto 

\r\n\r\n

Rio Tinto is a leading global mining and materials company. We operate in 35 countries where we produce iron ore, copper, aluminium, critical minerals and other materials needed for the global energy transition and for people, communities, and nations to thrive. 

\r\n\r\n

We have been mining for almost 150 years and operate with knowledge built up across generations and continents. Our purpose is finding better ways to provide the materials the world needs – striving for innovation and continuous improvement to produce materials with low emissions and to the right environmental, social and governance standards. But we can’t do it on our own, so we’re focused on creating partnerships to solve problems, create win-win and meet opportunities.

\r\n\r\n

Every Voice Matters 

\r\n\r\n

At Rio Tinto, we particularly welcome and encourage applications from Aboriginal and Torres Strait Islander people, women, the LGBTI+ community, mature workers, people with disabilities and people from different cultural backgrounds. 

\r\n\r\n

We are committed to an inclusive environment where people feel comfortable to be themselves. We want our people to feel that all voices are heard, all cultures respected and that a variety of perspectives are not only welcome – they are essential to our success. We treat each other fairly and with dignity regardless of race, gender, nationality, ethnic origin, religion, age, sexual orientation or anything else that makes us different. 
\r\n
\r\nEligibility  

\r\n\r\n
    \r\n\t
  • Intern Program – penultimate year or students in 2nd or 3rd year.
  • \r\n
\r\n\r\n

Join our information sessions to hear more  
\r\n
\r\nRio Tinto will conduct Virtual Information Sessions, providing prospective Graduates and Vacation Students with information about working at Rio Tinto and our Graduate and Vacation programs.

\r\n\r\n

Next steps  

\r\n\r\n

There’s no better time to lead this change than the leaders of the future and that starts with a graduate or vacation role at Rio Tinto. 

\r\n\r\n

Pre-register today. 

", - "company": { - "name": "Rio Tinto", - "website": "https://au.prosple.com/graduate-employers/rio-tinto", - "logo": "https://connect-assets.prosple.com/cdn/ff/lU73IMqD2qzyrZxKlCFD7LdQ0EFHkoqMACBV_9mVgu8/1678760398/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-rio-tinto-480x480-2023.png" - }, - "application_url": "https://www.riotinto.com/careers/graduates-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/rio-tinto/jobs-internships/intern-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-26T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NT", "QLD", "TAS", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee353" - }, - "title": "Data Graduate Program", - "description": "

As a Graduate of the Department of Health and Aged Care, you will have the opportunity to assist in developing and implementing policies and programs across a vast range of issues. You will contribute ideas and learn new skills in an environment that draws upon diversity and fosters innovation and high performance. 

\r\n\r\n

Your work will affect the lives of all Australians.

\r\n\r\n

Graduates are empowered to achieve their full potential in the workplace through our ten (10) monthly Graduate Program that provides:

\r\n\r\n
    \r\n\t
  • A comprehensive induction to the Graduate Program and Department of Health and Aged Care
  • \r\n\t
  • Two (2) diverse placements across the Department.
  • \r\n\t
  • On-the-job work experience and structured learning and development activities to challenge and develop your capability and guide you in becoming a valuable Australian Public Servant.
  • \r\n\t
  • Various networking and mentoring opportunities, including opportunities to be involved in the department's staff networks.
  • \r\n\t
  • An inclusive, flexible and healthy workplace with generous leave conditions and a competitive salary.
  • \r\n
\r\n\r\n

Our ideal graduate is a collaborative communicator and an analytical thinker with an inquisitive mind that seeks out learning and innovation opportunities. You will value the diverse views, experiences and perspectives of others and how this will contribute to strengthening our workforce. We need adaptable, resilient people who are not afraid to tackle complex but rewarding issues.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Health and Aged Care", - "website": "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care", - "logo": "https://connect-assets.prosple.com/cdn/ff/MsWgfP6qEuwzUG_jmv_TujMgfwkGAZ6OVmG5rVKVFl0/1668734239/public/styles/scale_and_crop_center_80x80/public/2022-11/logo-dohac-240x240-2022.jpg" - }, - "application_url": "https://healthjobs.nga.net.au/?jati=9284DAE8-72C9-8142-79D9-DA7C3D7D8A83", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care/jobs-internships/data-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-13T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee354" - }, - "title": "Recruitment Consultant - Financial Services Industry – Shanghai", - "description": "Selby Jennings is a globally recognised specialist recruitment company operating within the Financial Services markets. Our team delivers exceptional talent to a diverse range of clients across various verticals in Financial Services.", - "company": { - "name": "Phaidon International Hong Kong", - "website": "https://au.gradconnection.com/employers/phaidon-international-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/fcbb7064-1383-4338-b29b-d083a8dd1630-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-hk/jobs/phaidon-international-hong-kong-recruitment-consultant-financial-services-industry-shanghai-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee355" - }, - "title": "Business Development Executive", - "description": "Are you an ambitious individual excited for a merit-based career trajectory with uncapped financial incentives in your sales career?", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-business-development-executive-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee356" - }, - "title": "Data Science Graduate Program", - "description": "

Do work that matters

\r\n\r\n
    \r\n\t
  • You’ll be part of a broad team that leverages AI, data science, modelling, analytics, experimentation, behavioural science and technology to drive intelligent and ethical decisions, solutions and approaches for our customers, businesses and communities
  • \r\n\t
  • You’ll use data to build and enhance quantitative and predictive models to support insights or use our leading technology to extract incredible data and influence the direction of the business
  • \r\n\t
  • Throughout the program, you’ll enhance your technical capability using analytical tools such as R, SQL, SAS and Teradata, alongside vast datasets to develop and deliver actionable insights
  • \r\n
\r\n\r\n

See yourself in our team

\r\n\r\n
    \r\n\t
  • Gain access to world-class technical and development resources to help you expand your skills
  • \r\n\t
  • Join a huge network of Technology Graduates, supported by managers focused on your career growth
  • \r\n\t
  • Use rich data to help solve some of Australia’s biggest customer challenges. Create innovative products and solutions to help our customers manage their money and avoid scams
  • \r\n
\r\n\r\n

Technology – Data Science (Sydney, & Melbourne)

\r\n\r\n

Our 18-month Data Science Program offers three rotations. You can gain exposure to Decision and Behavioural Science, Quantitative & Predictive Modelling, Artificial Intelligence (AI) & machine learning (ML), Data Engineering, and more. 

\r\n\r\n

Our 8-week structured onboarding program combines a foundational boot camp, workshops and a modelling project to help set you up for a successful start.

\r\n\r\n

We’re the frontline in the AI revolution. You’ll lead the way and support in driving innovative, data-led solutions and approaches.

\r\n\r\n

After the program, you can land a role at CommBank as a Data Scientist, Insights Analytics Analyst, or Data Engineer.

\r\n\r\n

We’re interested in hearing from people who

\r\n\r\n
    \r\n\t
  • Are data savvy and keen to learn new tech stacks, languages and frameworks
  • \r\n\t
  • Can proactively solve problems, think strategically and enjoy simplifying processes
  • \r\n\t
  • Are customer-centric, who can listen and use insights to design better solutions and experiences.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align with one of our roles.

\r\n\r\n

If this opportunity excites you:

\r\n\r\n
    \r\n\t
  • Are you an Australian or New Zealand citizen, or an Australian permanent resident at the time of application and
  • \r\n\t
  • Are you in the final year of your overall university degree, or completed your final subject within the last 24 months and
  • \r\n\t
  • Have achieved at least a credit average in your overall university degree
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/data-science-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee357" - }, - "title": "Graduate Program - Networking, Infrastructure & Cyber Security", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:

\r\n\r\n
    \r\n\t
  • Provide support for incidents and problems, ensuring timely resolution and effective client communication.
  • \r\n\t
  • Plan and perform configuration changes across network or infrastructure devices, including routing, switching, and firewalls.
  • \r\n\t
  • Collaborate with cross-functional teams and external vendors to optimize network solutions.
  • \r\n\t
  • Create and maintain network documentation such as topologies and configurations.
  • \r\n\t
  • Implement security measures and ensure compliance with best practices.
  • \r\n\t
  • Monitor network health to proactively identify and resolve issues.
  • \r\n\t
  • Participate in the on-call roster and handle out-of-hours work as needed.
  • \r\n\t
  • Manage monthly reports for managed services clients, providing technical recommendations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • Experience or knowledge in network engineering and support.
  • \r\n\t
  • Understanding of TCP/IP, routing protocols, and network security principles.
  • \r\n\t
  • Familiarity with network devices like routers, switches, and firewalls.
  • \r\n\t
  • Knowledge of network monitoring and troubleshooting tools.
  • \r\n\t
  • Flexibility to work after-hours and on-call as required.
  • \r\n\t
  • Excellent communication skills, both written and verbal.
  • \r\n\t
  • Full working rights in Australia, a driver's license, and access to a car.
  • \r\n\t
  • Bachelor’s Degree in Computer Engineering, Computer Science, IT, Networking, Cyber Security or equivalent.
  • \r\n\t
  • Master’s Degree in Computer Engineering, Computer Science, IT, Networking, Cyber Security or equivalent is desirable.
  • \r\n\t
  • Relevant IT-based certification is highly desirable (i.e. Juniper, Cisco, Palo Alto, Microsoft etc.)
  • \r\n\t
  • Knowledgeable in troubleshooting Microsoft Operating Systems, Active Directory, Desktop Software, Microsoft Office 365 is desirable.
  • \r\n\t
  • Basic experience in technical support of server operating systems such as Microsoft Server, Microsoft Hyper-V, and VMware is desirable.
  • \r\n\t
  • Experience in technical support of SaaS and IaaS based products including Office365, Microsoft Azure, Amazon AWS, and others is desirable.
  • \r\n\t
  • Network management platforms administration, and maintenance capabilities is desirable.
  • \r\n\t
  • Knowledge or skills with SD-WAN technologies such as Cisco Meraki, or VMware SD-WAN is desirable.
  • \r\n\t
  • Knowledge of security platforms both network and endpoint is desirable.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary package with annual reviews, performance bonuses, and incentives. Enjoy regular company events, wellness programs, and an employee discount platform.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for personal education and development funded by Sparx, including study and volunteer leave.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career growth and succession opportunities across the business, with a focus on upskilling in-house.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application, ensuring you include reference checks and verification of your right to work in Australia. Background and police checks may be required for security clearance.

\r\n\r\n

Report this job

", - "company": { - "name": "Sparx Solutions", - "website": "https://au.prosple.com/graduate-employers/sparx-solutions", - "logo": "https://connect-assets.prosple.com/cdn/ff/u4Ml3FwSJfH89xHKwgIAJlZcD6i-Za09IlBU3Pcv89g/1723172317/public/styles/scale_and_crop_center_80x80/public/2024-08/logo-sparxsolutions-au-450x450-2024.png" - }, - "application_url": "https://ats.rippling.com/sparx-careers/jobs/73f310f4-ed65-4897-92bf-653e2dfe6828", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sparx-solutions/jobs-internships/graduate-program-networking-infrastructure-cyber-security-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee358" - }, - "title": "Graduate Underwriter", - "description": "

The underwriting industry is a career choice worth exploring, and here’s why:

\r\n\r\n

Dynamic and Meaningful: Play a critical role in assessing risks and ensuring businesses and individuals are protected.

\r\n\r\n

Supportive and Resilient: Contribute to building safety nets for clients and supporting them during unexpected events.

\r\n\r\n

Job Stability: Join a secure and essential industry with opportunities both locally and globally.

\r\n\r\n

Embrace Innovation: Use advanced tools and analytics to assess and manage risk effectively.

\r\n\r\n

Diverse Roles: Specialise in areas such as property, casualty, life, or reinsurance underwriting.

\r\n\r\n

Career Growth: Enjoy a clear path to advancement and opportunities to develop your skills further.

\r\n\r\n

Work-Life Balance: Benefit from flexible working arrangements, wellbeing initiatives, and supportive team environments.

\r\n\r\n

Make an Impact: Be part of an industry that helps businesses and individuals navigate uncertainties and thrive.

\r\n\r\n

What does an Underwriter do?

\r\n\r\n

As an underwriter, you’ll analyse risk and determine the terms of insurance coverage. You’ll assess applications, review data, and decide on appropriate premiums. 

\r\n\r\n

You’ll work with a diverse range of risks and industries, from small businesses to large corporations, with opportunities to specialise in areas that interest you. No two days are ever the same in underwriting!

\r\n\r\n

What does your day-to-day look like?

\r\n\r\n
    \r\n\t
  • Risk assessment: Analyse client applications, financial data, and market trends to assess risks.
  • \r\n\t
  • Decision-making: Determine insurance terms, including coverage limits and premiums.
  • \r\n\t
  • Client and broker communication: Collaborate with brokers and clients to gather information and explain decisions.
  • \r\n\t
  • Market research: Stay informed about trends, regulations, and emerging risks in the industry.
  • \r\n\t
  • Professional development: Participate in training sessions and pursue further studies, such as ANZIIF or CIP (Chartered Insurance Professional) accreditation.
  • \r\n
\r\n\r\n

What’s in it for you?

\r\n\r\n

Our clients offer a range of different benefits but here are some of our favourites: 

\r\n\r\n
    \r\n\t
  • Opportunities to travel internationally and visit London markets (where insurance all began) 
  • \r\n\t
  • Wellbeing bonuses and initiatives: wellbeing allowance, onsite massages, yoga classes, gym membership, dedicated mediation rooms, and 9-day fortnight 
  • \r\n\t
  • Paid day off for your birthday 
  • \r\n\t
  • Give back/community days
  • \r\n\t
  • Young Insurance Professionals: plenty of events and information sessions where you can learn and network with peers in your industry
  • \r\n
\r\n\r\n

We’re looking for someone who has:

\r\n\r\n
    \r\n\t
  • Degree qualifications within the past three years in Business, Finance, Commerce, Economics, Actuarial Studies, or related disciplines. However, if you’ve studied something else, we’d still love to hear from you!
  • \r\n\t
  • AUS/NZ Citizen or Australian Permanent Resident status
  • \r\n\t
  • Strong analytical skills to assess data and make informed decisions
  • \r\n\t
  • Attention to detail to evaluate complex applications
  • \r\n\t
  • Eagerness to learn and a passion for the insurance industry
  • \r\n
\r\n\r\n

What’s the Application Process?

\r\n\r\n
    \r\n\t
  1. Application: Submit your CV outlining your suitability for the role.
  2. \r\n\t
  3. One-way Video Interview: Receive an email with a link to complete a one-way video interview and a short questionnaire. Complete the Fuse Recruitment registration form.
  4. \r\n\t
  5. Interview with Fuse: Our graduate team will review your application and arrange an interview to discuss your experience and career goals.
  6. \r\n\t
  7. Interview with Clients: Meet with companies to further explore specific positions. 
  8. \r\n\t
  9. Start Your New Role: Begin your exciting career as an Underwriter! 
  10. \r\n
", - "company": { - "name": "Future Insure Graduate Program", - "website": "https://au.prosple.com/graduate-employers/future-insure-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/7meW55Xki2VIYkAjGSqoRyWyUi3M2IwFuX-gtu0aJ4U/1698706212/public/styles/scale_and_crop_center_80x80/public/2023-10/1698706206318_Square%20Logo.png" - }, - "application_url": "https://www.aptrack.co/uap/AAAEzQAPjawCPdl-/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/future-insure-graduate-program/jobs-internships/graduate-underwriter-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-17T12:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee359" - }, - "title": "ITE1 - ITE2 Technical Specialist, Digital Access and Collection", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need 
\r\ntalented people who are highly capable, dedicated, adaptable and resilient. 

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

As a technical specialist in the Digital Access and Collection team, you will develop skills and expertise in the capabilities required to undertake digital access and collection operations. You will also work closely with a range of internal stakeholders, government and industry partners to develop and enhance these capabilities to enable ongoing digital collection operations. This team undertakes a broad range of activities on a broad range of technologies, including software development across a range of technology stacks, industry engagement activities and operational activities to directly support ASIO’s mission. 

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

Your responsibilities will include:

\r\n\r\n
    \r\n\t
  • Developing and enhancing platforms to enable digital collection operations, including integration, development and capability testing using a range of technologies. 
  • \r\n\t
  • Undertaking or contributing to operational activities, including testing activities, liaison with case areas and the use of digital access capabilities.
  • \r\n\t
  • Collaborating across government and industry to develop and enhance capabilities for digital access and collection to continue enhancing ASIO’s technical capabilities.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes: 

\r\n\r\n
    \r\n\t
  • Strong interpersonal skills with a focus on teamwork, attention to detail and a growth mindset.
  • \r\n\t
  • Strong communication skills and an ability to develop and maintain strong productive working relationships at all levels.
  • \r\n\t
  • Well organised and motivated, with a demonstrated ability to think critically and problem solve when working in high tempo environments.
  • \r\n\t
  • A willingness to leave your comfort zone, learn from others and contribute through your own unique strengths.
  • \r\n\t
  • Ideally hold one or more of the following qualifications:\r\n\t
      \r\n\t\t
    • Information Technology
    • \r\n\t\t
    • Computer Science
    • \r\n\t\t
    • Network or Software Engineering
    • \r\n\t\t
    • Information Security degree (with security related subjects)
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Ideally be interested and/or experienced in one or more of the following:\r\n\t
      \r\n\t\t
    • Software development / programming.
    • \r\n\t\t
    • Linux / ARM development.
    • \r\n\t\t
    • Data recovery / forensic tools.
    • \r\n\t\t
    • iOS / Android file systems and encryption.
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  •  Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available.) 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n\t
  • Significant training and development opportunities. 
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance. 
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra. Relocation assistance is provided to successful candidates where required.

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include 
\r\nthe following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements.
  • \r\n\t
  • A current CV, no more than 2-3 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 3 February 2025 at 5:00pm
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-technical-specialist-digital-access-and-collection" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-02T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35a" - }, - "title": "Software Developer Internship Program 2025", - "description": "As a software developer intern with our host company partner, you will gain valuable hands-on experience working with cutting-edge technologies such as .NET/C#, Angular/React, JavaScript, MVC + WebAPI, and SQL Server/TSQL. Our interns are challenged to solve complex problems and think critically.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-software-developer-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-software-developer-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35b" - }, - "title": "Audit, Assurance and Finance Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Audit, Assurance and Finance as a grad?

\r\n\r\n

Money makes the world go around, but how can we make sure it goes around ethically, sustainably, and efficiently? That’s where you come in. Maintain the world’s confidence in capital markets and drive innovation. Just accounting and finance? It’s trust in numbers, clear in the complex and new ways in solid systems. That’s creating a better world and an exciting career.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Audit, Assurance, and Finance pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, or a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be forensic accountants working alongside an environmental specialist and change and communications professionals. 

\r\n\r\n

The work itself is varied depending on your team and the client, so expect to build knowledge of several industries and businesses. You might be researching and gathering information, critically assessing financial statements to understand if the information is correct, liaising with clients to understand decisions or challenges they face, working with your team to develop an audit opinion, or implement new compliance software.

\r\n\r\n

Explore the types of work you could do in more detail.

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or who recently graduated and are not yet in professional work
  • \r\n\t
  • A one-year growth pathway with targeted coaching, support, and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2026 (typically, some teams have a slightly different schedule) with a full-time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment to learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb, and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Graduate Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://jobs.smartrecruiters.com/KPMGAustralia1/6000000000014105-2025-audit-assurance-finance-graduate-campaign", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/audit-assurance-and-finance-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35c" - }, - "title": "Graduate Program (Legal Stream)", - "description": "

At the Department of Education, our goal is to create a better future for all Australians through education.

\r\n\r\n

By supporting a strong early childhood education system, we help children prepare for school and families re-engage with work. Through education and learning, we change lives – opening a world of possibilities for children and young people.

\r\n\r\n

We provide advice to our Ministers and lead the implementation of Government policies and programs to build a strong education system. We draw on the best available research, evidence and data and work collaboratively with industry, stakeholders and state and territory governments.

\r\n\r\n

As an organisation of approximately 1,600 staff, we pride ourselves on our positive, supportive and inclusive workplace culture (https://www.education.gov.au/about-department/work-us/life-education) that nurtures talent and encourages employees to achieve their full potential.

\r\n\r\n

To learn more about our department, including our key priorities, refer to our 2024-25 Corporate Plan (https://www.education.gov.au/about-department/resources/202425-corporate-plan-department-education).

\r\n\r\n

Make a difference! Join our graduate program.

\r\n\r\n

We are looking for graduates from all degree disciplines to help us deliver Australian Government priorities across the education sector.

\r\n\r\n

The Department participates in the Australian Government Graduate Program (AGGP - https://www.apsjobs.gov.au/s/graduate-portal), working collaboratively with other APS agencies to recruit talented individuals for our Graduate Program. If you’re interested in empowering people to achieve their potential through education— preference Education and get your career startED with us!

\r\n\r\n

Our graduate program is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you’ll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career in the Australian Public Service (APS). As an Education Graduate, you will be provided with varied and challenging work supported by formal learning and development opportunities, on-the-job training and mentoring.

\r\n\r\n

Successfully completing our graduate program will help you apply your skills in new ways while building a strong foundation for a fulfilling career at the department or across the Australian Public Service (APS).

\r\n\r\n

Why join us

\r\n\r\n
    \r\n\t
  • Career progression: Start as an APS Level 3 and progress to APS Level 5 on successful completion of the program. Refer to the Australian Public Service Commission website for more information on APS levels.
  • \r\n\t
  • Salary increase: Start at $75,419 (plus 15.4% superannuation) and progress to $90,580 (plus 15.4% superannuation) upon successful completion of the program.
  • \r\n\t
  • Placements: Full-time 10-month program, involving two 5-month work placements, allowing you to work on a variety of priority policies, programs or projects.
  • \r\n\t
  • Learning and Development: Experience on-the-job training, supported by a range of formal learning and development opportunities.
  • \r\n\t
  • Buddy Program: We will match you up with a ‘buddy’ from the previous year’s graduate program, who can support and guide you by sharing their experience and insights.
  • \r\n\t
  • Location options: Majority of positions are located in Canberra with some opportunities available interstate. Relocation assistance is provided to candidates who relocate to Canberra.
  • \r\n\t
  • Employee Networks: Help contribute to a positive and inclusive workplace culture by joining our Employee Networks.
  • \r\n\t
  • Community: Participate in Social Club and Graduate Fundraising activities to connect with colleagues at every level.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply through the AGGP, applicants must submit a completed application prior to the closing date and time and provide evidence of or confirmation of the following:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • will or have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • your most recent eligible qualification has or will be completed between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government baseline security clearance once accepted onto the program
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
\r\n\r\n

If you secure a place in our Graduate Program the department will guide you through the process of obtaining your Baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

The Department of Education participates in the following AGGP streams. You can apply for one or many of the streams below to be considered for a role with us. 

\r\n\r\n
    \r\n\t
  • Generalist
  • \r\n\t
  • Data
  • \r\n\t
  • Economist
  • \r\n\t
  • Legal
  • \r\n\t
  • Indigenous Graduate Program
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Digital
  • \r\n\t
  • HR
  • \r\n
\r\n\r\n

Visit our website (https://www.education.gov.au/graduate-and-entry-level-programs/graduate-program) to read more about what we can offer you as a 2026 Education Graduate.

\r\n\r\n

Applications for the 2026 Australian Government Graduate Program will open in March 2025, but we offer an Expression of Interest Register allowing you to share your interest in the meantime. When you express your interest we'll keep in touch, so you know when you can apply and what opportunities we offer.

\r\n\r\n

Complete the expression of interest for our exciting and rewarding Graduate Program!  Click \"Pre-register\" now!

\r\n\r\n

Make a difference by creating a better future for all Australians through education. You have what it takes. Join us!

", - "company": { - "name": "Department of Education", - "website": "https://au.prosple.com/graduate-employers/department-of-education", - "logo": "https://connect-assets.prosple.com/cdn/ff/tsByEVvor94eh3WGilznUAccgJVe39CrWnZreg3RUcY/1728363959/public/styles/scale_and_crop_center_80x80/public/2024-10/1728363956567_3282%202026%20Graduate%20Recruitment%20Campaign_Prosple%20Banner_crest_jade.jpg" - }, - "application_url": "https://dese.nga.net.au/?jati=93A5A59F-8412-8C6E-107A-DB33799B93F4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-education/jobs-internships/graduate-program-legal-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35d" - }, - "title": "Data Science Summer Internship", - "description": "

Working at Atlassian

\r\n\r\n

Atlassian can hire people in any country where we have a legal entity. Assuming you have eligible working rights and a sufficient time zone overlap with your team, you can choose to work remotely or from an office (unless it’s necessary for your role to be performed in the office). Interviews and onboarding are conducted virtually, a part of being a distributed-first company.

\r\n\r\n

This program is open to penultimate-year university students with Australian or New Zealand citizenship or Permanent Residency. The internship dates are late November 2025 to late February 2026, full-time for 12 weeks.

\r\n\r\n

Register your interest in our intern program and start an awesome career! 

\r\n\r\n

You'll have the opportunity to:

\r\n\r\n
    \r\n\t
  • Play with our seriously large volume of data to discover insightful trends, and then collaborate with other Atlassians to turn your insights to actions, drive smarter product decisions, and ultimately, delight our customers
  • \r\n\t
  • Measure the impact of our product strategy; design and analyse experiments and product launches
  • \r\n\t
  • Build an understanding of the value added of data science within a structured project and share your high-quality insights and recommendations to peers and leadership in order to influence and drive critical business decisions
  • \r\n\t
  • Super-launch your career through our experienced analyst mentors while gaining invaluable exposure to the role of analytics and data science at a fast-growing global technology giant
  • \r\n
\r\n\r\n

More about you:

\r\n\r\n
    \r\n\t
  • Be able to commit to a 12-week full-time (38hrs / week) internship from late November 2025 until late February 2026. We may be able to flex on this slightly if your course timetable does not allow for a 12-week placement during this timeframe.
  • \r\n\t
  • Be currently enrolled in a Bachelors, Masters, or PhD in a quantitative discipline (e.g. statistics, mathematics, physics, econometrics, engineering or computer science) and completing your studies by January 2026.
  • \r\n\t
  • Have experience manipulating data using one of SQL, R, Python (or other languages).
  • \r\n\t
  • Start refining your ability to translate business questions into technical solutions, and communicate analytical results to broad audiences.
  • \r\n\t
  • Show eagerness in collaborating with cross-functional team members, like engineers, product managers, designers, and other analysts.
  • \r\n
\r\n\r\n

Our perks & benefits

\r\n\r\n

To support you at work and play, our perks and benefits include ample time off, an annual education budget paid volunteer days, and so much more.

\r\n\r\n

About Atlassian

\r\n\r\n

The world’s best teams work better together with Atlassian. From medicine and space travel, to disaster response and pizza deliveries, Atlassian software products help teams all over the planet. At Atlassian, we're motivated by a common goal: to unleash the potential of every team.

\r\n\r\n

We believe that the unique contributions of all Atlassians create our success. To ensure that our products and culture continue to incorporate everyone's perspectives and experience, we never discriminate based on race, religion, national origin, gender identity or expression, sexual orientation, age, or marital, veteran, or disability status. All your information will be kept confidential according to EEO guidelines.

", - "company": { - "name": "Atlassian", - "website": "https://au.prosple.com/graduate-employers/atlassian", - "logo": "https://connect-assets.prosple.com/cdn/ff/tj8Q_KGm3xSFDC0iWSuZ4UK-_nxpPe3_8AovryxHKRw/1671511434/public/styles/scale_and_crop_center_80x80/public/2022-12/logo-atlassian-new-zealand-120x120-2022.jpg" - }, - "application_url": "https://jobs.lever.co/atlassian/be1ba776-b4c1-4b7e-b7bd-f2b408c8e9ea/apply", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/atlassian/jobs-internships/data-science-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-30T11:59:00.000Z" - }, - "locations": [], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35e" - }, - "title": "Data + Computer Science Graduate Development Programme", - "description": "

Do you want to work at one of Australia’s top graduate employers?

\r\n\r\n

Arup’s Graduate Development Programme has been ranked #1 in Engineering Consulting in both Prosple’s Top 100 Graduate Employers and the Australian Association of Graduate Employers Top 75 Graduate Employers.

\r\n\r\n

Come join us to see what the fuss is all about and to experience our nationally recognised Graduate Development Programme. 

\r\n\r\n

A future with purpose

\r\n\r\n

At Arup we’re dedicated to sustainable development and to doing socially useful work that has meaning. Our purpose, shared values and collaborative approach have set us apart for over 75 years, guiding how we shape a better world.
\r\n
\r\nWe solve the world's most complex problems and deliver what seems impossible. We explore challenges with curiosity and creativity - using technology, imagination, and rigour to deliver remarkable outcomes.

\r\n\r\n

The Opportunity

\r\n\r\n

 Are you looking for a graduate role in a company that will support you in pursuing your passion? Start your journey in our graduate development programme! Our programme aims to equip you with valuable skills that will set you apart as you launch your career.

\r\n\r\n

You will have the opportunity to engage in:

\r\n\r\n
    \r\n\t
  • Practical on-the-job learning, an opportunity to contribute to world-class and innovative projects
  • \r\n\t
  • Formal training delivered through professional development workshops, webinars and self-enabled learning modules
  • \r\n\t
  • Guest speaker events – hear from Arup’s global experts
  • \r\n\t
  • Networking opportunities with our innovative team of experienced designers, engineering consultants, sustainability advisors and specialists
  • \r\n\t
  • Community – connect with fellow Graduates across Australia, New Zealand, Singapore, Indonesia and Malaysia by being part of a 150-graduate cohort
  • \r\n\t
  • Mentorship – sign up for Arup’s mentoring programme to be matched with an Arup mentor
  • \r\n
\r\n\r\n

Is this role right for you?

\r\n\r\n

We’re looking for creative, diverse, and energetic graduates to join our Graduate Development Programme. 

\r\n\r\n

At Arup, you belong to an extraordinary collective – in which we encourage individuality to thrive. If you can share your knowledge and ideas and encourage others to do the same; whilst having a desire to deliver excellent services for clients – we’d like to hear from you.

\r\n\r\n

Eligibility Criteria

\r\n\r\n
    \r\n\t
  • Candidates are required to have full working rights in the country they are applying for.
  • \r\n\t
  • Candidates must have completed their studies prior to the programme they are applying for
  • \r\n\t
  • Candidates must be available to start work on or prior to the programme they are applying for
  • \r\n\t
  • Candidates must not have more than 12 months of experience in a similar role
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n

Guided by our values, we provide a fair and equitable total reward package and offer a career in which all our members can belong, grow and thrive through benefits that support health and wellbeing, a wide range of learning opportunities and many possibilities to have an impact through the work they do. 

\r\n\r\n

We are owned in trust on behalf of our members, giving us the freedom, with personal responsibility, to set our own direction and choose work that aligns with our purpose and adds to Arup’s legacy. 

\r\n\r\n

Explore the perks of a career with Arup Australia & New Zealand:

\r\n\r\n
    \r\n\t
  • Profit Share
  • \r\n\t
  • Hybrid working policy and flexible working hours.
  • \r\n\t
  • Paid parental leave for the primary carer of 16 weeks or 32 weeks at half pay and as well as generous unpaid leave benefits.
  • \r\n\t
  • Paid parental leave for the support carer plus the opportunity to access extra paid and unpaid leave if you later become the primary carer.
  • \r\n\t
  • Birthday leave
  • \r\n\t
  • Annual leave loading
  • \r\n\t
  • Ability to purchase additional leave of up to 20 days for permanent employees.
  • \r\n\t
  • International mobility opportunities
  • \r\n\t
  • Insurances (life & income protection)
  • \r\n\t
  • Interest-free solar energy and bicycle loans
  • \r\n
\r\n\r\n

Different people, shared values

\r\n\r\n

Arup is an equal-opportunity employer that actively promotes and nurtures a diverse and inclusive workforce. We welcome applications from individuals of all backgrounds, regardless of age (within legal limits), gender identity or expression, marital status, disability, neurotype or mental health, race or ethnicity, faith or belief, sexual orientation, socioeconomic background, and whether you’re pregnant or on family leave. We are an open environment that embraces diverse experiences, perspectives, and ideas – this drives our excellence. 

\r\n\r\n

Guided by our values and alignment with the UN Sustainable Development Goals, we create and contribute to equitable spaces and systems, while cultivating a sense of belonging for all. Our internal employee networks support our inclusive culture: from race, ethnicity and cross-cultural working to gender equity and LGBTQ+ and disability inclusion – we aim to create a space for you to express yourself and make a positive difference. process and workplaces accessible to all candidates. Please let us know if you need any assistance or reasonable adjustments throughout your application or interview process, and/or to perform the essential functions of the role. We will do everything we can to support you.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Arup Australia", - "website": "https://au.prosple.com/graduate-employers/arup-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/gL1SnxDWKt-lFap9C_pWPPiPBPthze5bwTf_vKCALkM/1673230937/public/styles/scale_and_crop_center_80x80/public/2023-01/logo-arup-480x480-2023.png" - }, - "application_url": "https://2025graduatedevelopmentprogramme-australianewzealand-arup.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/arup/jobs-internships/data-computer-science-graduate-development-programme" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-13T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee35f" - }, - "title": "Automation Developer - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Automation developers are responsible for designing, programming, simulating, and testing automated processes and machinery. They use a variety of programming languages and development frameworks to ensure that systems operate efficiently and without error. Automation developers also enhance and maintain existing automated systems to improve performance and functionality.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in an automation developer role may include:

\r\n\r\n
    \r\n\t
  • collaborating with cross-functional teams to understand workflow processes and requirements
  • \r\n\t
  • designing and developing automated solutions, with support, using appropriate programming languages and tools
  • \r\n\t
  • following testing strategies to ensure the stability and efficiency of automation scripts and software
  • \r\n\t
  • maintaining and suggesting changes to existing automation systems to enhance their performance or to integrate new features
  • \r\n\t
  • monitoring the effectiveness of automation solutions and suggesting adjustments as necessary to optimise operations
  • \r\n\t
  • documenting automation processes and maintaining a clear record of system architectures and changes.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for an automation developer role will:

\r\n\r\n
    \r\n\t
  • be detail-oriented and have a strong analytical mindset
  • \r\n\t
  • demonstrate a proactive and innovative approach to problem-solving
  • \r\n\t
  • be self-motivated, able to work independently, and manage multiple tasks simultaneously
  • \r\n\t
  • possess effective time management and interpersonal communication skills
  • \r\n\t
  • be adaptable and able to learn new technologies or frameworks quickly.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n
    \r\n\t
  • Proficiency in programming languages such as Python, Java, C#, or JavaScript.
  • \r\n\t
  • Knowledge of automation tools and frameworks (e.g., Selenium, Jenkins, Puppet, Chef).
  • \r\n\t
  • Familiarity with continuous integration/continuous deployment (CI/CD) methodologies.
  • \r\n\t
  • Knowledge of Application Programming Interface (API) integrations and developing automated data workflows.
  • \r\n\t
  • Your degree may be in computer science, information technology, or a related field.
  • \r\n
\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2027

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/automation-developer-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee360" - }, - "title": "Graduate Program", - "description": "

About the opportunity

\r\n\r\n

Do you want to join one of the Top Graduate Employers in the nation? Then look no further! RAA are currently looking for talented and ambitious graduates to join our next intake into our award-winning Graduate Program, commencing February 2026.

\r\n\r\n

RAA’s Graduate Program has been ranked one of the best in the nation, and has received numerous awards:

\r\n\r\n
    \r\n\t
  • #6 Top Graduate Employer in the Nation (small programs)
  • \r\n\t
  • #6 Best Workplaces for Work-Life Balance
  • \r\n\t
  • #7 Best Workplaces for Social Responsibility
  • \r\n\t
  • #10 Best Workplaces for Culture
  • \r\n
\r\n\r\n

About you 

\r\n\r\n

You are a confident and passionate self-motivated individual who enjoys working in a high performing culture. 

\r\n\r\n

You’re passionate about helping our community (and members) and want to make a difference.

\r\n\r\n

For this role, we’re also looking for:

\r\n\r\n
    \r\n\t
  • Currently studying a relevant bachelors degree, due to complete in 2025 or completed in 2024.
  • \r\n\t
  • Self-starter and quick learner.
  • \r\n\t
  • Strong attention to detail, and can manage deadlines and expectations.
  • \r\n\t
  • Teamwork demonstrated through extracurricular activities (e.g. sports, clubs, work, societies)
  • \r\n\t
  • Demonstrated ability to build relationships and work cross functionally.
  • \r\n\t
  • Excellent written and verbal communication skills.
  • \r\n\t
  • 5.0 GPA or minimum credit average.
  • \r\n
\r\n\r\n

Benefits 

\r\n\r\n

We love our people at RAA and believe our employees should be rewarded for being a part of the RAA family. Some of our employee benefits include:

\r\n\r\n
    \r\n\t
  • A campus to corporate development program designed to improve your soft skills and build your confidence
  • \r\n\t
  • Regular mentoring sessions with a senior manager
  • \r\n\t
  • Fun graduate experiences and activities
  • \r\n\t
  • Permanency from the beginning of the graduate program
  • \r\n\t
  • Be provided with meaningful work to make a real difference to SA
  • \r\n\t
  • Rotations throughout various teams to gain knowledge and relevant skills
  • \r\n\t
  • Free RAA premium road service
  • \r\n\t
  • Access to our Member Benefits program
  • \r\n\t
  • Generous discounts on all RAA products
  • \r\n\t
  • Flexible work arrangements
  • \r\n\t
  • On-site Cafe with Barista – plus much more!
  • \r\n
\r\n\r\n

About us

\r\n\r\n

As one of the South Australia’s largest and most iconic organisations, we’re proud to deliver our trusted range of motor, home, and travel services to more than 805,000 members. 

\r\n\r\n

In our vision to make life better for members and better for our community, we’re also elevating our offering to include electric-vehicle charging, Solar and Battery and more. We’ve been innovating since 1903, and we’re excited to continue to do so for the next 120 years and beyond, with exciting developments in the pipeline. 

\r\n\r\n

We’re also one of the state’s largest employers (and growing!), with more than 1400 employees working collectively with the common goal to keep our members moving. With a range of locations from RAA Place in the CBD, Mile End, Adelaide Airport and more, our workplaces are growing too – but all still proudly SA-based. 

\r\n\r\n

Benefits 

\r\n\r\n

We love our people at RAA and believe our employees should be rewarded for being a part of the RAA family. Some of our employee benefits include:

\r\n\r\n
    \r\n\t
  • A campus to corporate development program designed to improve your soft skills and build your confidence
  • \r\n\t
  • Regular mentoring sessions with a senior manager
  • \r\n\t
  • Fun graduate experiences and activities
  • \r\n\t
  • Permanency from the beginning of the graduate program
  • \r\n\t
  • Be provided with meaningful work to make a real difference to SA
  • \r\n\t
  • Rotations throughout various teams to gain knowledge and relevant skills
  • \r\n\t
  • Free RAA premium road service
  • \r\n\t
  • Access to our Member Benefits program
  • \r\n\t
  • Generous discounts on all RAA products
  • \r\n\t
  • Flexible work arrangements
  • \r\n\t
  • On-site Cafe with Barista – plus much more!
  • \r\n
\r\n\r\n

How to Apply 

\r\n\r\n

To Make a Move That Matters and work for a passionate South Australian organisation with members at heart, head to our 'current vacancies' page on our website, click on the graduate role, then click ‘Apply’ to submit your application. Follow the prompts to attach your CV and a tailored cover letter, outlining the following essential criteria:

\r\n\r\n
    \r\n\t
  • Your reason for applying for RAA’s 2026 Graduate Program
  • \r\n\t
  • How your values align with RAAs (check our website)
  • \r\n\t
  • Tell us something that sets you apart from other candidates
  • \r\n
\r\n\r\n

You'll need to provide evidence of your eligibility to work in Australia and we'll also need you to undertake a police check before you can work with us at RAA.

\r\n\r\n

We are committed to building a workplace that’s diverse and inclusive, where employees are embraced for their unique qualities and valued for their contributions. We believe a diverse and inclusive workplace brings out the best in everyone and helps us to give our members better service. That's why we encourage applications from everyone, including people living with disability, job seekers of all ages, members of the LGBTIQA+ community and people from culturally diverse backgrounds, including First Nations People.

", - "company": { - "name": "RAA", - "website": "https://au.prosple.com/graduate-employers/raa", - "logo": "https://connect-assets.prosple.com/cdn/ff/IvaglXSl1IEayDwtwUrWYx3_4M36alR_PH_7nkFzYTc/1569390399/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-RAA-240x240-2019.jpg" - }, - "application_url": "https://www.raa.com.au/about-raa/careers/current-vacancies", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/raa/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-01T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee361" - }, - "title": "Graduate Hire 2024/25 - Blockchain Engineer", - "description": "The Supernova Program is a 3-year Career Accelerator Program that aims to fast-track, high performing graduates into technical experts and future leaders mainly in the fields of Product Engineering, Product Management, and Product Design. We firmly believe in the power of the new era.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6082313003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-blockchain-engineer-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee362" - }, - "title": "Technology Graduate - Melbourne", - "description": "

We're 100,000+ people with diverse experiences, perspectives, and ideas. It is our diversity that brings us closer together and helps us make a difference. 

\r\n\r\n

What our Program offers:

\r\n\r\n

A 12-month program that gives you opportunity to learn and gain work experience within multiple domains and technologies  

\r\n\r\n

End-to-end support network through:

\r\n\r\n
    \r\n\t
  • Young professional community
  • \r\n\t
  • buddy program
  • \r\n\t
  • Monthly team meetings and weekly 1:1 catchup
  • \r\n\t
  • Graduate program manager providing support throughout the program journey
  • \r\n\t
  • 1-week Graduate onboarding program (Induction) with the opportunity to meet senior leaders throughout the organisation
  • \r\n
\r\n\r\n

Rotations may include areas such as: 

\r\n\r\n
    \r\n\t
  • Network Rollout (5G/4G) project delivery
  • \r\n\t
  • Network integration & optimisation
  • \r\n\t
  • Network Virtualisation
  • \r\n\t
  • Orchestration and Assurance
  • \r\n\t
  • Cloud Software and Services
  • \r\n\t
  • Enterprise architecture and IT
  • \r\n\t
  • New feature introduction (and opportunity to work on some of the world’s firsts!!)
  • \r\n
\r\n\r\n

You’ll manage and contribute to significant and meaningful projects whilst expanding your skills, challenging yourself and taking momentous steps in building your career. You will be supported through a structured learning and development program, project and team buddies and various on-job activities. 

\r\n\r\n

About the Opportunity
\r\n  
\r\nCommencing in February 2026, we have multiple Grad positions available in Ericsson. 

\r\n\r\n

What you will need to be successful:

\r\n\r\n
    \r\n\t
  • Completed BA/MA/MSc/PHD studies in any of the following disciplines:
  • \r\n\t
  • Information Technology
  • \r\n\t
  • Computer Science
  • \r\n\t
  • ICT / Computer / Software Engineering
  • \r\n\t
  • Data Analytics
  • \r\n\t
  • Engineering
  • \r\n\t
  • Double degree with commerce/finance/project management
  • \r\n\t
  • Eagerness to learn and grow with the business.
  • \r\n
\r\n\r\n

Highly Regarded Experience:

\r\n\r\n
    \r\n\t
  • Experience installing operating systems;
  • \r\n\t
  • Experience with virtual machines;
  • \r\n\t
  • Exposure to containerization;
  • \r\n\t
  • Familiarity with automation tools;
  • \r\n\t
  • Cloud experience or exposure;
  • \r\n\t
  • Programming experience in VBA, Python, SQL,Java;
  • \r\n\t
  • System experience with Cisco, Juniper, Wireshark, PSpice, LTspice;
  • \r\n\t
  • Knowledge and understanding of mobile technologies such as LTE, 5G and its business usecases;
  • \r\n\t
  • Experience with switches, routers;
  • \r\n\t
  • Previous work experience in a similar field is advantageous.
  • \r\n
\r\n\r\n

Important elements of the selection criteria are:

\r\n\r\n
    \r\n\t
  • Must be an Australian or New Zealand citizen or have permanent resident status;
  • \r\n\t
  • High-level academic achievement (academic transcripts or summary of results to date must be included);
  • \r\n\t
  • Evidence of leadership roles and achievements at school, University or in outside interests would be highly regarded;
  • \r\n\t
  • Candidates must be completing their initial degree or honours level qualification by the end of 2025. Candidates completing higher-level qualifications will also be considered.
  • \r\n
\r\n\r\n

This is your opportunity to shape your career and shape our industry!

", - "company": { - "name": "Ericsson", - "website": "https://au.prosple.com/graduate-employers/ericsson", - "logo": "https://connect-assets.prosple.com/cdn/ff/5W4kyxFkpXy1W9DbxpatJvG_BG9f-2KZUeTB9N4pnRs/1569814891/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-Ericsson-120x120-2019.jpg" - }, - "application_url": "https://jobs.ericsson.com/job-invite/746870", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ericsson/jobs-internships/technology-graduate-melbourne-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee363" - }, - "title": "Better Future Pathway", - "description": "

Woodside led the development of the LNG industry in Australia and we are applying the same pioneering spirit to solving future energy challenges.

\r\n\r\n

We are excited to extend our Summer vacation experience to students early in their studies.

\r\n\r\n

If you are passionate about working with us and your degree is in a relevant field join our talent community to be part of our summer experience from your first year.

\r\n\r\n

See first-hand what it is like to work at Australia's leading natural gas producer prior to graduation. Gain insight into working within an innovative and dynamic multi-disciplined organisation.

\r\n\r\n

Eligibility & How to Apply

\r\n\r\n
    \r\n\t
  • We are looking for students who have a passion for learning, innovation, and creative problem-solving.
  • \r\n\t
  • Currently studying at an Australian university in any year level besides penultimate or final year.
  • \r\n\t
  • An Australian or New Zealand citizen or an Australian permanent resident.
  • \r\n\t
  • An international student currently studying and residing in Australia with unrestricted Australian working rights.
  • \r\n
\r\n\r\n

Bright minds challenge us to be better. Be part of the energy solution through our 6-12 weeks paid program.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Woodside Energy", - "website": "https://au.prosple.com/graduate-employers/woodside-energy", - "logo": "https://connect-assets.prosple.com/cdn/ff/SmVEmcBh5dU9HRYF5hymILFf11cVOFT_KgHRDHY4VO8/1718865999/public/styles/scale_and_crop_center_80x80/public/2024-06/logo-woodside-energy-480x480-2024.jpg" - }, - "application_url": "https://www.woodside.com/careers/graduates-and-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/woodside-energy/jobs-internships/better-future-pathway-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee364" - }, - "title": "Acoustic Graduates", - "description": "

Sound (Acoustic, Noise & Vibration) is an important element of our environment irrespective of whether we want to maximise it or reduce it. WSP offers in-depth expertise in all aspects of environmental acoustic services – from baseline noise level monitoring and the development of noise models to monitoring programs in support of environmental impact assessments.

\r\n\r\n

This specialist field is particularly sought after in our, Earth & Environment and Property and Buildings Groups where the specialist consultants provide building acoustics as well as noise control for the protection of our natural environment and health and safety for mining, maritime, industry, energy and infrastructure projects. 

\r\n\r\n

Degrees well suited to Acoustic positions includes (highly regarded but not exclusive to):

\r\n\r\n
    \r\n\t
  • BSc - Physics, Data Science, Information science, Mathematics
  • \r\n\t
  • BEng/BSE – Acoustic, Mechanical, Civil and Structural
  • \r\n
\r\n\r\n

Your Graduate Program

\r\n\r\n

At WSP, we are committed to nurturing and developing the next generation of diverse WSP Changemakers through mentorship and structured development programs. As part of our global firm, you’ll find the scale and reach you need to do the kind of work the world needs – and the culture and people that make it the best work of your life.

\r\n\r\n

As part of our industry leading Graduate Program, ASPIRE, you will be guided to own your career and drive your success. ASPIRE, is a two-year blended learning experience, offering a holistic approach to development. It includes topics specifically chosen to enhance professional, personal and relationship building skills with opportunities to connect with others across the global WSP network.

\r\n\r\n

Life of a WSP Graduate 

\r\n\r\n

Your path as a Graduate can be a transformative experience. We acknowledge your journey can present challenges and exciting opportunities so here are few things we offer to help you on your way to success.

\r\n\r\n
    \r\n\t
  • Aspire – WSP Graduate Program
  • \r\n\t
  • Buddy/Mentorship program – learn from the brightest minds and industry experts in your specialist field
  • \r\n\t
  • Diverse Project exposure – put your theory into practice and come and help us solve problems that have meaningful impacts on our community.
  • \r\n\t
  • Software training – using the latest digital tools to enhance efficiency, collaboration and project delivery
  • \r\n\t
  • Continuous learning in a controlled and supporting environment.
  • \r\n\t
  • Professional development – skills training, further education, promotion
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n

If you want to help us design the future, apply now to begin your journey with WSP. Be sure you attach: 

\r\n\r\n
    \r\n\t
  • Current resume
  • \r\n\t
  • Cover letter telling us little about you and why you are interested in working in our industry
  • \r\n\t
  • Copy of your current academic transcript
  • \r\n
\r\n\r\n

*Please note: To avoid duplications, submit 1 APPLICATION ONLY to the graduate program. You will be asked if you are open to relocating during the application process.

\r\n\r\n

Applications will close 30/04/2025

\r\n\r\n

Life at WSP

\r\n\r\n

WSP is one of the world's leading engineering professional services firms, bringing together approximately 6,000 talented people across 15 offices in Australia. We are technical experts who design and provide strategic advice on sustainable solutions and engineer Future ReadyTM  projects that will help societies grow for lifetimes to come. 

\r\n\r\n

As a member of WSP's ‘Emerging Professionals Network’, you will embrace your curiosity and work in a culture celebrating different perspectives. With our global scale and reach, you’ll connect with the brightest minds in the field to make the best work of your life.

\r\n\r\n

We strive to create a work environment where you’ll always find new ways to grow – where you’ll design your own path and do what truly matters to you.

\r\n\r\n

WSP is committed to providing an inclusive, diverse and equal opportunity workplace. We are proud to promote Indigenous voices and are actively delivering a ‘Stretch’ level Reconciliation Action Plan. Accredited by the Workplace Gender Equality Agency as an Employer of Choice, we also support the LGBTQIA+ community, and encourage all employees to bring their whole selves to work.

", - "company": { - "name": "WSP Australia", - "website": "https://au.prosple.com/graduate-employers/wsp-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/xa2FDsrhuwUd7BDsESZkHSI4sPB2_7Qmu3hBmxDCy-I/1643691832/public/styles/scale_and_crop_center_80x80/public/2022-02/logo-wsp-480x480-2022.jpg" - }, - "application_url": "https://lp.prosple.com/job-split-wsp-acoustic-graduates/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/wsp-australia/jobs-internships/acoustic-graduates-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T01:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee365" - }, - "title": "Technology ICT Generalist - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

A Technology (ICT) generalist graduate is a broad role, proficient in many facets of information technology without any specific speciality. In this role, you will help government business areas understand what digital technologies can offer. A technology (ICT) generalist graduate can fulfil many roles and should possess general business knowledge and good soft skills.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a technology (ICT) generalist role may include:

\r\n\r\n
    \r\n\t
  • contributing to a wide variety of support roles such as service desk, software and desktop support
  • \r\n\t
  • connecting the needs of the agency with technology opportunities
  • \r\n\t
  • providing research, analysis and provide advice on trends to inform decisions
  • \r\n\t
  • translating technical information into plain English for business needs
  • \r\n\t
  • contributing to writing briefs, submissions, reports, presentations and correspondence
  • \r\n\t
  • working with people to create change and help the technology challenged.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a technology (ICT) generalist role will have:

\r\n\r\n
    \r\n\t
  • an interest in existing technology and emerging technology
  • \r\n\t
  • good people and organisational skills
  • \r\n\t
  • the ability to work and contribute in a team environment
  • \r\n\t
  • a high level of interpersonal, communication and liaison skills
  • \r\n\t
  • the ability to self-manage conflicting priorities and workloads
  • \r\n\t
  • the ability to produce detailed and accurate work including high level writing skills.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Understanding of:

\r\n\r\n
    \r\n\t
  • government writing styles
  • \r\n\t
  • technology in a business context
  • \r\n\t
  • customer support
  • \r\n\t
  • service desk support.
  • \r\n
\r\n\r\n

Your degree may be in information technology, computer and software systems, information systems, database management, systems administration and project management.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/technology-ict-generalist-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee366" - }, - "title": "ICT Engineering Graduate", - "description": "

At BAE Systems Australia 

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

At BAE Systems Australia, we're not just offering a job; we're inviting you to be a part of something remarkable. 
\r\n
\r\nOur dynamic workplace is at the forefront of ground-breaking technology, delivering projects of global significance that keep Australia safe. 

\r\n\r\n

We take pride in fostering an inclusive and diverse culture that values the unique talents each graduate brings.

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions. 

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be due to complete your graduate studies in 2025 (or have already completed) a university degree qualification in an appropriate discipline. 

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity: 

\r\n\r\n

Dive into the Digital Frontier as a Graduate ICT Engineer at BAE Systems! Immerse yourself in hands-on experiences, collaborate with tech pioneers, and contribute to transformative projects that redefine the landscape of Information and Communication Technology.

\r\n\r\n

This position is available in two options: Stream 1 (non-rotational) or Stream 2 (rotational), based in Edinburgh Parks (SA) & Canberra (ACT). 

\r\n\r\n

To learn more about our Graduate program, including details about each stream and the application process, kindly visit this link - https://www.baesystems.com/en-aus/careers/graduate-and-early-careers#1573679798791

\r\n\r\n

What You'll Do

\r\n\r\n

As an ICT Engineering Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Work on key engineering data systems across multiple teams
  • \r\n\t
  • Provide support for various IT areas, such as network support
  • \r\n\t
  • Conduct system checks and monitoring
  • \r\n\t
  • Engage in project work in various capacities
  • \r\n\t
  • Assist in the deployment of new servers and infrastructure
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our page.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225884052&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/ict-engineering-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-11T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee367" - }, - "title": "Recruitment Consultant - Entry Level", - "description": "The ideal candidate will have a proven track record of success in sales / business development (1-2 year of experience), excellent communication and negotiation skills, and a passion for driving growth and success.", - "company": { - "name": "Phaidon International Hong Kong", - "website": "https://au.gradconnection.com/employers/phaidon-international-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/fcbb7064-1383-4338-b29b-d083a8dd1630-thumbnail_image162428.jpg" - }, - "application_url": "https://www.phaidoninternational.com/users/register/new/registration?utm_campaign=PI%20", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-hk/jobs/phaidon-international-hong-kong-recruitment-consultant-entry-level-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:35.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee368" - }, - "title": "Graduate Programs", - "description": "

What do I need?

\r\n\r\n

At Westpac Group we embrace diversity. We are looking for fill our Grad programs with original thinkers and innovators from all degrees of study. We recognise the value people bring to our organisation with their individual differences, qualities, ideas and insights.

\r\n\r\n

What's in it for me?

\r\n\r\n

Challenging and rewarding – our Grad programs will get your career off to a flying start.
\r\n
\r\nHere are some of the areas where your uncommon mind could thrive:

\r\n\r\n
    \r\n\t
  • Technology – become a game changer, bringing our vision and strategy to life in roles such as system engineers, security, designers, architects or project managers.
  • \r\n\t
  • Innovative roles - dream, design and innovate next generation digital experiences, including digital, service, product and interaction designers.
  • \r\n\t
  • Financial services - help improve the lives of our customers and make Australian businesses stronger including consumer banking, business banking and wealth management.
  • \r\n\t
  • Risk - help keep our customers, our clients and our group safe, in roles such as financial crime analyst, credit manager, cyber risk specialist or fraud specialist.
  • \r\n\t
  • Transformation - revolutionise how we help our customers in roles such as project manager, change manager or analyst.
  • \r\n\t
  • Westpac Institutional Bank - help corporations and institutions thrive in roles within Financial Markets or corporate banking.
  • \r\n\t
  • Specialist roles - be vital to our success in roles such as finance, HR, legal and compliance.
  • \r\n
\r\n\r\n

What's it like to work there?

\r\n\r\n

Expect to contribute from day one and have an impact on the business. All programs are structured to help you identify your focus areas and the rotational programs will help you to learn about different parts of your chosen business area. In addition, tailored training sessions build and strengthen your technical and soft skills - accelerating your personal and professional career development throughout your grad experience.
\r\n
\r\nExpect plenty of opportunities to get involved in grad life where you can build your networks and friendships with those you work with, including business leaders, project leads and program sponsors.
\r\n
\r\nExpect to be able to give back. Join in numerous communities, volunteering and sustainability initiatives - rounding out your whole work life experience.
\r\n
\r\nEligibility:

\r\n\r\n
    \r\n\t
  • You will be an Australian/New Zealand citizen or permanent resident at the time of your application.
  • \r\n\t
  • You are currently in your final year of study or have completed your degree in the last two years.
  • \r\n
\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://www.westpac.com.au/about-westpac/careers/pathways/grad-program/?utm_source=Prosple&utm_medium=Prosple&utm_campaign=Prosple&utm_content=Prosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/graduate-programs" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee369" - }, - "title": "Applied Scientist Intern - Computer Vision", - "description": "

Are you excited about leveraging state-of-the-art Computer Vision algorithms and large datasets to solve real-world problems? Join Amazon as an Applied Scientist Intern and be at the forefront of AI innovation!
\r\n
\r\nAs an Applied Scientist Intern, you'll work in a fast-paced, cross-disciplinary team of pioneering researchers. You'll tackle complex problems, developing solutions that either build on existing academic and industrial research or stem from your own innovative thinking. Your work may even find its way into customer-facing products, making a real-world impact.
\r\n
\r\nKey job responsibilities

\r\n\r\n
    \r\n\t
  • Develop novel solutions and build prototypes
  • \r\n\t
  • Work on complex problems in Computer Vision and Machine Learning
  • \r\n\t
  • Contribute to research that could significantly impact Amazon's operations
  • \r\n\t
  • Collaborate with a diverse team of experts in a fast-paced environment
  • \r\n\t
  • Collaborate with scientists on writing and submitting papers to Tier-1 conferences (e.g., CVPR, ICCV, NeurIPS, ICML)
  • \r\n\t
  • Present your research findings to both technical and non-technical audiences 
  • \r\n
\r\n\r\n

Key Opportunities:

\r\n\r\n
    \r\n\t
  • Collaborate with leading machine learning researchers
  • \r\n\t
  • Access cutting-edge tools and hardware (large GPU clusters)
  • \r\n\t
  • Address challenges at an unparalleled scale
  • \r\n\t
  • Become a disruptor, innovator, and problem solver in the field of computer vision
  • \r\n\t
  • Potentially deliver solutions to production in customer-facing applications
  • \r\n\t
  • Opportunities to become an FTE after the internship
  • \r\n
\r\n\r\n

Join us in shaping the future of AI at Amazon. Apply now and turn your research into real-world solutions!

\r\n\r\n

BASIC QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Currently enrolled in a PhD program in Computer Science, Electrical Engineering, Mathematics, or related field, with specialization in Computer Vision or Machine Learning
  • \r\n\t
  • Experience in computer vision or related fields
  • \r\n\t
  • Strong programming skills (Python preferred)
  • \r\n
\r\n\r\n

PREFERRED QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Research experience in Computer Vision, Deep Learning, or broader Machine Learning.
  • \r\n\t
  • Publications in top-tier conferences such as CVPR, ICCV, NeurIPS, ICML, ICLR, ECCV, etc. Please list these publications on your resume.
  • \r\n
\r\n\r\n

Please note that recruitment for Amazon’s Applied Science internship takes place all year round. Internships start monthly and last 6 months.
\r\n
\r\nAcknowledgement of country:

\r\n\r\n

In the spirit of reconciliation Amazon acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.
\r\n
\r\nIDE statement:

\r\n\r\n

Amazon is committed to a diverse and inclusive workplace. Amazon is an equal opportunity employer, and does not discriminate on the basis of race, national origin, gender, gender identity, sexual orientation, disability, age, or other legally protected attributes.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://amazon.jobs/en/jobs/2830336/2025-applied-science-intern-computer-vision-amazon-international-machine-learning", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/applied-scientist-intern-computer-vision" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-31T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36a" - }, - "title": "Data Stream Graduate Program", - "description": "

Are you ready to kick-start your career in data? Pre-register for the Data stream and have the opportunity to work on exciting projects across the Australian Government.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

The Data Stream includes Australian Public Service (APS) and other Commonwealth agencies seeking to recruit recent university graduates who are interested in pursuing a career in data and contributing to Australian society.

\r\n\r\n

Data roles are varied and support evidence-based, informed decision making, and work across all aspects of Government such as policy development, research, program management and service delivery. Roles cover the full data lifecycle including survey and questionnaire development, research, data acquisition, data engineering and data analysis, as well as more specialised streams such as data science, methodology, geospatial analysis and data management.

\r\n\r\n

Data graduates in the Australian Government have access to unparalleled datasets – stories from these datasets help policy makers make decisions for Australia. This is a real opportunity to give back to the public and help shape Australian decision making.

\r\n\r\n

Data Generalist

\r\n\r\n

Data roles filled thorough this stream include Data Analysts, Data Engineers, Data Managers and Geospatial Analysts.

\r\n\r\n

There are no requirements for any degrees or disciplines, though people who have undertaken data subjects are more likely to be successful. The types of backgrounds our graduates are from include analytics, actuarial studies, data science or mining, demography, economics, econometrics, engineering, finance, mathematics or mathematical modelling, machine learning, psychology, risk and intelligence analysis, social sciences, and statistics.

\r\n\r\n

Data Specialist

\r\n\r\n

Specialist roles filled through this stream can include Data Scientists (applied data science, data science developer, data modeller) and Statistical Methodologists (Data Collection Methodologist & Mathematical Stats Specialist).

\r\n\r\n

While we consider most degree types, formal qualifications in data science, statistics, computer science, mathematics, econometrics, actuarial studies, physics, engineering, or other disciplines with a strong quantitative component are required.

\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

To be suitable as a Data Graduate, you will have all or most of the below criteria:

\r\n\r\n
    \r\n\t
  • Proficient data skills
  • \r\n\t
  • Sound communication (written, verbal and presentation)
  • \r\n\t
  • Interpersonal skills
  • \r\n\t
  • Research skills (analytical and thinking)
  • \r\n
\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n\t
  • Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency
  • \r\n
", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/data-stream-MCLCEFMBKO5ZH4TCQQTNQTBMUB4A", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/data-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36b" - }, - "title": "Forensic Accounting & Business Valuations Internship Program", - "description": "

About the Role 

\r\n\r\n

As a Forensic Accounting & Business Valuations intern, you will be part of our  Forensic & Litigation Consulting practice which assists clients through business critical events across:

\r\n\r\n
    \r\n\t
  • Dispute Advisory
  • \r\n\t
  • Risk & Investigations
  • \r\n\t
  • Valuation Advisory
  • \r\n
\r\n\r\n

What a typical day will look like:

\r\n\r\n
    \r\n\t
  • Assisting with the reviews and analysis of financial data and information to quantify losses suffered by businesses in commercial disputes or to investigate allegations of fraud and other misconduct
  • \r\n\t
  • Assisting with creating financial models
  • \r\n\t
  • Assessing the value of businesses by performing financial, ratio and comparable company analysis
  • \r\n\t
  • Undertaking basic research for a wide range of engagements, including company and industry analysis
  • \r\n\t
  • Reviewing documents and summarising/presenting relevant information
  • \r\n
\r\n\r\n

What can you get out of your internship at FTI Consulting?

\r\n\r\n
    \r\n\t
  • You will explore professional options within your educational background
  • \r\n\t
  • You will gain experience in the field within a dynamic environment
  • \r\n\t
  • Consideration for a Graduate role with us
  • \r\n
\r\n\r\n

What skills will we help you to develop during this internship?

\r\n\r\n
    \r\n\t
  • Take ownership of work by conducting quality control and working at an efficient pace to meet deadlines
  • \r\n\t
  • Take ownership of career development; set goals; seek out assignments; request feedback/coaching
  • \r\n\t
  • Communicate with professionalism and use discretion in both written and verbal delivery
  • \r\n
\r\n\r\n

Who are we looking for? 

\r\n\r\n

Undergraduates in their final or penultimate year of accounting, finance,  business analytics,  or related degree. 

\r\n\r\n

What skills will help you to become our intern?

\r\n\r\n
    \r\n\t
  • Basic accounting knowledge
  • \r\n\t
  • Industry curiosity and conceptual thinking in exploring new ideas
  • \r\n\t
  • Demonstrate flexibility in approaching problems and changing priorities
  • \r\n\t
  • Attention to detail
  • \r\n\t
  • Computer literacy and strong technical and analytical skills
  • \r\n\t
  • Excellent communication skills (both written and verbal)
  • \r\n
\r\n\r\n

How to Apply

\r\n\r\n

When applying, please include your updated resume and your most recent & relevant to the role academic transcript. Applications without a transcript are not considered.

\r\n\r\n

Pre-register now and get notified once the application opens!

\r\n\r\n

To find out more, visit our website.

", - "company": { - "name": "FTI Consulting", - "website": "https://au.prosple.com/graduate-employers/fti-consulting", - "logo": "https://connect-assets.prosple.com/cdn/ff/xUS78JM8G3CFbwn-sh4LmEuxMivolvQY1JbhpyHZ1Jc/1582074349/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-fti-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fti-consulting/jobs-internships/forensic-accounting-business-valuations-internship-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-13T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36c" - }, - "title": "Graduate Program 2026", - "description": "

At Visagio, you’ll have the opportunity to grow, collaborate, and contribute to meaningful work. Recognised as the 2nd Best Workplace in Australia in the medium-size category by the Great Place to Work™ Institute, we are proud to be a people-centred platform where your unique talents and perspectives make us who we are. Here, you’ll find a supportive and welcoming network of team members who are passionate about guiding, mentoring, and growing alongside you.
\r\n
\r\nAbout the role

\r\n\r\n

As a Visagio Graduate, you’ll play a key role in delivering tailored, impactful solutions that help clients thrive. Your responsibilities will include:

\r\n\r\n
    \r\n\t
  • Collaborating to deliver comprehensive business solutions by combining strategic thinking with practical approaches
  • \r\n\t
  • Analysing data and gathering insights to shape thoughtful client recommendations
  • \r\n\t
  • Applying creative and innovative problem-solving skills to overcome challenges and drive positive outcomes
  • \r\n\t
  • Contributing your unique skills and ideas to support Visagio’s growth and success
  • \r\n
\r\n\r\n

About you (key skills and competencies)

\r\n\r\n

We’re looking for graduates who are curious, adaptable, and excited to grow both personally and professionally.
\r\n
\r\nKey skills and strengths include:

\r\n\r\n
    \r\n\t
  • A degree in Data Science, Engineering, Mathematics, Physics, Computer Science, Software Engineering, Commerce, Actuarial Science, Finance, or a related field (preferred)
  • \r\n\t
  • A proactive and flexible approach, with the ability to adapt to changing project priorities and timelines
  • \r\n\t
  • Strong communication skills, enabling you to build connections with diverse audiences, including teammates and clients
  • \r\n\t
  • A passion for working with data and an eagerness to learn new tools, methods, and techniques
  • \r\n\t
  • Experience in analysing data and providing actionable insights to support recommendations
  • \r\n\t
  • A collaborative and solutions-focused mindset
  • \r\n
\r\n\r\n

Familiarity with tools such as Excel Modelling, R Programming, VBA, SQL, Python, Data Visualisation, Machine Learning, and Microsoft Power Platform is helpful but not required. We provide comprehensive training to help you build your skills. While an understanding of mining operations is a bonus, it is not essential.
\r\n
\r\nMore information

\r\n\r\n

Joining Visagio means you’ll work on meaningful challenges alongside talented colleagues and clients. You’ll benefit from:

\r\n\r\n
    \r\n\t
  • Personalised career guidance and mentoring to help you achieve your goals
  • \r\n\t
  • Opportunities for continuous learning and technical development through UniVisagio, our corporate university
  • \r\n\t
  • A supportive, collaborative environment that values your unique contributions
  • \r\n\t
  • A highly competitive remuneration package
  • \r\n
\r\n\r\n

We welcome applications from all candidates, including international students with full-time working rights.
\r\n
\r\nThis is a Perth or Sydney-based role, with a start date in January or February 2026.
\r\n
\r\nIf you have any questions, please contact us at hr@visagio.com.
\r\n
\r\nHow to apply?
\r\nThe Graduate Program application process is designed to help you showcase your strengths:
\r\n
\r\nApplications period: 06 January to 26 February 2025
\r\nOnline test period and video questions: 27 February to 05 March 2025 (complete the test sent to your registered email within this timeframe)
\r\nInterviews (phone and in-person): 17 March to 24 March
\r\n
\r\nFor tips on preparing for the online test, visit www.visagiotalent.com.
\r\n
\r\nIf you have any questions, contact us at hr@visagio.com.
\r\n
\r\nAbout Visagio

\r\n\r\n

Founded in 2003, Visagio is a global platform that helps organisations achieve their goals. With operations in over 45 countries and offices in Australia and Latin America, we specialise in driving efficiency and achieving sustainable results through projects that range from diagnosis and strategic recommendations to hands-on solution implementation.
\r\n
\r\nSince launching operations in Australia in 2011, Visagio has become a trusted partner for organisations seeking to evolve their operations and improve efficiency, with a strong foundation in technology. Our team excels in delivering practical, agile, and sustainable results across key domains, including:

\r\n\r\n
    \r\n\t
  • Organisational Efficiency
  • \r\n\t
  • Digital Acceleration
  • \r\n\t
  • Supply Chain & Operations
  • \r\n
\r\n\r\n

What makes us unique is The Visagio Way. We are hands-on, deeply committed, fast learners, and highly skilled professionals who translate strategies into real-world outcomes. Our approach goes beyond advice—we actively partner with clients to ensure measurable and lasting impact.
\r\n
\r\nVisagio Australia has been recognised as the #2 Best Workplace in the medium-size category by the Great Place to Work™ Institute and is one of Australia’s Top 100 Graduate Employers, which reinforces our purpose as a platform for good-hearted and talented individuals to achieve extraordinary results.
\r\n
\r\nOur culture
\r\nAt Visagio, you’ll find a welcoming environment where collaboration, growth, and learning are at the heart of what we do. You’ll work closely with teammates from your first day, strengthening your network and sharing experiences.
\r\n
\r\nWe pair each team member with a buddy to help you navigate your early days and a partner who provides long-term career guidance. UniVisagio, our corporate university, supports continuous learning, offering resources and programs that empower you to excel personally and professionally.
\r\n
\r\nOur purpose is to be a platform that enables everyone to grow, make a meaningful impact, and achieve their aspirations together.
\r\n
\r\nDiversity and inclusion

\r\n\r\n

At Visagio, we are committed to creating an equitable environment where everyone feels empowered to reach their full potential. Through our Diversity and Inclusion initiatives, we champion topics that make a positive impact on our society and future generations.
\r\n
\r\nWe are an equal-opportunity employer, embracing diversity in all forms and fostering a culture of inclusion and belonging.
\r\n
\r\nVisagio acknowledges the Australian Aboriginal and Torres Strait Islander peoples as the traditional custodians of the lands where we live, learn, and work. We honour the Noongar and Gadigal peoples as the custodians of the land where our offices are located and our business is conducted.

", - "company": { - "name": "Visagio", - "website": "https://au.prosple.com/graduate-employers/visagio", - "logo": "https://connect-assets.prosple.com/cdn/ff/csrruIv66RaKQEX5G76zVHjiLwFDwr6kRZS_SiVFdMk/1596506092/public/styles/scale_and_crop_center_80x80/public/2020-08/logo-visagio-480x480-2020.png" - }, - "application_url": "https://www.careers-page.com/visagio-australia/job/L6Y93865/apply", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/visagio/jobs-internships/graduate-program-2026" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-26T15:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36d" - }, - "title": "Graduate Backend Software Engineer - Multimedia Platform", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

About the Team

\r\n\r\n

At TikTok, the Media Service Team builds the multimedia infrastructure powering our platform and other products. Part of the VideoArch department, we specialize in Video-on-Demand (VoD) technology, developing solutions that process billions of videos daily. Our core responsibilities include optimizing TikTok's high-performance VoD transcoder, architecting cost-saving VoD strategy platforms that have trimmed tens of millions in costs, and building distributed task processing platforms that enable efficient multimedia development. Join our team and contribute to video technologies captivating millions worldwide. We offer growth opportunities, collaboration with experts, and the chance to shape multimedia experiences. If you thrive on challenges, cutting-edge tech, and want to make an impact, explore exciting roles with the Media Service Team.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the design, development, and maintenance of the large-scale multimedia processing system, which processes billions of videos per day for TikTok.
  • \r\n\t
  • Contribute to the construction of the VoD strategy platform to deliver cost-effective transcoding and storage optimization strategies for saving a tremendous amount of VoD costs.
  • \r\n\t
  • Work in areas related to large-scale distributed system development, workflow orchestration, task scheduling, just-in-time video transcoding, data analysis, etc.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid basic knowledge of computer software, understanding of Linux operating system, storage, network IO, and other related principles.
  • \r\n\t
  • Familiarity with one or more programming languages, such as Go, Python, and C++, with knowledge of design patterns and coding principles.
  • \r\n\t
  • Strong learning and research abilities, good communication skills and teamwork spirit.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience in building and developing large-scale infrastructure and distributed systems.
  • \r\n\t
  • Knowledge of data analysis and data mining, familiar with structural query language, e.g. sql/hsql.
  • \r\n\t
  • Knowledge of machine learning and mathematical modeling.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7365864585888745737?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer-multimedia-platform-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36e" - }, - "title": "News Internship - Sydney", - "description": "

Bloomberg News is one of the world's leading financial news organizations, delivering fast and accurate information to the people with the most at stake.

\r\n\r\n

If it impacts markets, we'll be there -- breaking news on companies, economies, technology and politics to help our readers, viewers and listeners stay a step ahead. We need a constant flow of ideas, energy and innovation -- which is where you come in.

\r\n\r\n

We’re looking for interns who are passionate about telling stories and will thrive in a fast-paced environment with a 10-week paid internship in Sydney or Melbourne. You’ll gain hands on reporting experience, conduct exclusive interviews, dig into data and collaborate with colleagues working in our bureaus across the world.

\r\n\r\n

Following the internship you may be offered a full-time role, starting with a year-long rotator program designed to build out your skills and knowledge across key platforms and areas of coverage.

\r\n\r\n

We're looking for:

\r\n\r\n
    \r\n\t
  • A passion for journalism demonstrated through work experience or extracurricular activities
  • \r\n\t
  • A willingness to dig in and learn about global financial markets, companies and economies
  • \r\n\t
  • Ability to work collaboratively in a team environment
  • \r\n\t
  • Availability to intern between February to April 2026
  • \r\n\t
  • Final year students (undergraduate or post-graduate) who are Australian citizens or permanent residents
  • \r\n
\r\n\r\n

If this sounds like you:

\r\n\r\n

Apply if you think we're a good match. We'll get in touch to let you know what the next steps are, but in the meantime feel free to have a look at his: https://www.bloomberg.com/company/ 

\r\n\r\n

Bloomberg is an equal opportunity employer and we value diversity at our company. We do not discriminate on the basis of age, ancestry, color, gender identity or expression, genetic predisposition or carrier status, marital status, national or ethnic origin, race, religion or belief, sex, sexual orientation, sexual and other reproductive health decisions, parental or caring status, physical or mental disability, pregnancy or maternity/parental leave, protected veteran status, status as a victim of domestic violence, or any other classification protected by applicable law. 

\r\n\r\n

Bloomberg provides reasonable adjustment/accommodation to qualified individuals with disabilities. Please tell us if you require a reasonable adjustment/accommodation to apply for a job or to perform your job. Examples of reasonable adjustment/accommodation include but are not limited to making a change to the application process or work procedures, providing documents in an alternate format, using a sign language interpreter, or using specialized equipment. If you would prefer to discuss this confidentially, please email AMER_recruit@bloomberg.net (Americas), EMEA_recruit@bloomberg.net (Europe, the Middle East and Africa), or APAC_recruit@bloomberg.net (Asia-Pacific), based on the region you are submitting an application for.

", - "company": { - "name": "Bloomberg L.P.", - "website": "https://au.prosple.com/graduate-employers/bloomberg-lp", - "logo": "https://connect-assets.prosple.com/cdn/ff/u0DpBoGVKrMEoh2Kjl9InD465IqsWC4qhW0JSuVKXZg/1629774614/public/styles/scale_and_crop_center_80x80/public/2021-08/logo-bloomberg-120x120-2021.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bloomberg-lp/jobs-internships/news-internship-sydney" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-09-15T01:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee36f" - }, - "title": "Asset Management Full-Time Analyst Program", - "description": "

As a Full Time Analyst in the 2026 Asset Management Analyst Program, you will work in partnership with our senior business leaders to develop investment strategies that support our clients' needs across various asset classes, including equities, fixed income, real assets, hedge funds and private equity. You’ll help build a leading global client franchise that delivers excellent investment performance and client service. 

\r\n\r\n

Job Summary

\r\n\r\n

As an Analyst in Asset Management, you'll work in partnership with our senior business leaders and industry experts to develop strategies that support our clients' needs. You'll work with teams that manage and distribute investment solutions across asset classes for institutions and financial intermediaries.  
\r\n
\r\nWorking here means joining a collaborative, supportive team. We want your diverse perspective to help us innovate the next wave of products and solutions for our clients. We'll give you what you need to succeed including training, mentoring, access to senior leaders and projects that engage all your skills. 

\r\n\r\n

Job Responsibilities

\r\n\r\n
    \r\n\t
  • Assisting with client sales and retention while gaining broad exposure to asset classes and investment professionals throughout the firm
  • \r\n\t
  • Working with market and product specialists to provide quantitative and qualitative analysis, conduct market research and assist in strategic planning to help clients meet their investment objectives
  • \r\n\t
  • Learning about asset allocation strategies and identifying investment capabilities across traditional and alternative strategies to meet our clients' investment objectives
  • \r\n
\r\n\r\n

What You Can Expect

\r\n\r\n

Embark on a 4-year rotational program designed to provide a comprehensive understanding of our Asset Management business. This program includes J.P. Morgan’s world-class 4-week training in New York, where you'll join colleagues from around the globe. In addition to learning the basics of our business strategy and structure, you will hear from senior management, review finance and accounting principles, improve your technical skills, develop proficiency with our proprietary tools and participate in networking events. 

\r\n\r\n

Over the course of the 4 years, you will have the opportunity to complete 4 rotations spanning the following teams:

\r\n\r\n
    \r\n\t
  • Marketing: Planning and overseeing the implementation of Australia and New Zealand’s marketing strategy across different channels to drive growth. Within our marketing team, you will be responsible for developing and managing targeted strategies to raise awareness, educate clients and promote our products including exchange-traded funds (ETFs) effectively within the region.
  • \r\n\t
  • Exchange Traded Funds (ETF) Capital Markets: ETF Capital Markets is responsible for the smooth running of our ETF product suite, specifically in relation to the primary and secondary markets. During this rotation you will learn how to monitor and price ETFs intra-day, manage relationships with market makers and how to oversee and develop primary market transactions.
  • \r\n\t
  • Distribution: During this rotation you will work closely with the Institutional and Wholesale Asset Management Sales teams based across Sydney and Melbourne to assist with client sales and retention while gaining broad exposure to asset classes and investment professionals throughout the firm.
  • \r\n\t
  • Asia Pacific Real Estate: Work with the Sydney-based Australian real estate team on its acquisition and asset management of real estate investments in Australia and New Zealand, as part of a wider regional team managing funds and accounts for predominantly institutional clients across Asia Pacific.
  • \r\n\t
  • Forestry & Timberland Investment Team:  The team seeks to invest in a high-quality portfolio of sustainably managed timberland assets on behalf of its institutional clients. During your time with the Forestry & Timberland investment team, you will support Australasia-based transaction due diligence, carryout market research and analysis, and contribute towards the preparation of internal deal materials and documentation.
  • \r\n\t
  • Market Insights: The team is tasked with providing thought leadership to Wholesale and Institutional clients on capital markets and the broader economy, with the aim in enhancing the investment decision making process and elevate financial market knowledge.  During your time spent with the team, responsibilities will include sharing the team’s views with internal stakeholders, assisting in research on capital markets, as well as facilitating the publication of Market Insights suite of publications. The role within the Market Insights team will build a solid foundation of capital market knowledge and understanding of macro-economic environment and how that relates to investing and our clients.
  • \r\n\t
  • Chief Administrative Office: The team are responsible for overseeing the infrastructure of the business including Client Service, Business Platform, Product Development, Technology and Operations to ensure top tier client service for both internal and external clients as well as coordinating with control functions to ensure compliance with internal policies / procedures and the external regulations of the Australian business. The CAO is also responsible for working with the CEO to help develop and execute business strategy.
  • \r\n
\r\n\r\n

Across all areas, this program offers unprecedented training and experience in Asset Management, as well as the potential to join J.P. Morgan's team as a Senior Associate upon successful completion of the program.

\r\n\r\n

Required qualifications, capabilities and skills

\r\n\r\n
    \r\n\t
  • Strong initiative, energy and confidence
  • \r\n\t
  • Excellent communication and presentation skills
  • \r\n\t
  • Strong quantitative skills and a passion for investing
  • \r\n\t
  • Exceptional organizational skills and ability to multitask
  • \r\n\t
  • Genuine interest in financial markets, investing and macro-level economic trends
  • \r\n\t
  • Highly-motivated and enjoy working in teams to develop and execute solutions
  • \r\n\t
  • Good judgment and discretion working with highly confidential information
  • \r\n\t
  • Pursuing a degree qualification with solid academic background and an expected graduation between April 2025 and December 2025
  • \r\n
\r\n\r\n

To be eligible in this program:

\r\n\r\n
    \r\n\t
  • You must be enrolled in a degree at a University located in Australia
  • \r\n\t
  • You must be an Australian Citizen or Permanent Resident at time of application
  • \r\n
\r\n\r\n

Program start date: February 2026

\r\n\r\n

Join us

\r\n\r\n

At JPMorgan Chase, we are creating positive change for the diverse communities we serve. We do this by championing your innovative ideas through a supportive culture that helps you every step of the way as you build your career. If you are passionate, curious and ready to make an impact, we are looking for you. 

\r\n\r\n

Application Deadline 

\r\n\r\n

11 February 2025 (23:59 AEDT)

\r\n\r\n

Applications will be reviewed on a rolling basis. We strongly encourage you to submit your application as early as possible before job postings close.

\r\n\r\n

What’s Next?

\r\n\r\n

Help us learn about you by submitting a complete and thoughtful application, which includes your resume. Your application and resume is a way for us to initially get to know you, so it’s important to complete all relevant application questions so we have as much information about you as possible.

\r\n\r\n

After you confirm your application, we will review it to determine whether you meet certain required qualifications.

\r\n\r\n

If you are advanced to the next step of the process, you’ll receive an email invitation to complete a video interview, powered by HireVue. This is your opportunity to further bring your resume to life and showcase your experience for our recruiting team and hiring managers.

\r\n\r\n

HireVue is required, and your application will not be considered for further review until you have completed it. We strongly encourage that you apply and complete the required elements as soon as possible, since programs will close as positions are filled.

\r\n\r\n

Please email us at aus.grad@jpmorgan.com for any enquiries, and visit jpmorganchase.com/careers for upcoming events, career advice, our locations and more.

\r\n\r\n

JPMorgan Chase is committed to creating an inclusive work environment that respects all people for their unique skills, backgrounds and professional experiences. We strive to hire qualified, diverse candidates, and we will provide reasonable accommodations for known disabilities.

\r\n\r\n

Reasonable Adjustments

\r\n\r\n

J.P. Morgan is an inclusive employer of choice. If you require any adjustments to enable you to perform the essential functions of your job, please do not hesitate to contact your recruiter.

\r\n\r\n

If you would prefer to discuss this confidentially, please contact your recruiter.

\r\n\r\n

About Us

\r\n\r\n

J.P. Morgan is a global leader in financial services, providing strategic advice and products to the world’s most prominent corporations, governments, wealthy individuals and institutional investors. Our first-class business in a first-class way approach to serving clients drives everything we do. We strive to build trusted, long-term partnerships to help our clients achieve their business objectives.

\r\n\r\n

We recognize that our people are our strength and the diverse talents they bring to our global workforce are directly linked to our success. We are an equal opportunity employer and place a high value on diversity and inclusion at our company. We do not discriminate on the basis of any protected attribute, including race, religion, color, national origin, gender, sexual orientation, gender identity, gender expression, age, marital or veteran status, pregnancy or disability, or any other basis protected under applicable law. We also make reasonable accommodations for applicants’ and employees’ religious practices and beliefs, as well as mental health or physical disability needs. Visit our FAQs (https://careers.jpmorgan.com/us/en/how-we-hire/faqs) for more information about requesting an accommodation.

\r\n\r\n

About the Team

\r\n\r\n

J.P. Morgan Asset & Wealth Management delivers industry-leading investment management and private banking solutions. Asset Management provides individuals, advisors and institutions with strategies and expertise that span the full spectrum of asset classes through our global network of investment professionals. Wealth Management helps individuals, families and foundations take a more intentional approach to their wealth or finances to better define, focus and realize their goals.​

", - "company": { - "name": "J.P. Morgan Australia", - "website": "https://au.prosple.com/graduate-employers/jp-morgan-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/oal-aC_o0FJ-jK4Iy1j__u-59DPHKh9-NMRTQTT2afA/1561669436/public/styles/scale_and_crop_center_80x80/public/2019-06/JPMorgan_Logo_120x120.png" - }, - "application_url": "https://jpmc.fa.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1001/job/210561111/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jp-morgan-australia/jobs-internships/asset-management-full-time-analyst-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-11T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee370" - }, - "title": "Summer Internship Program", - "description": "

The Opportunity 

\r\n\r\n

If you are looking for an exciting and challenging career that will give you the opportunity to develop your personal and professional potential and learn from our leading experts, we encourage you to apply for Transgrid’s Summer Internship Program.

\r\n\r\n

Joining our Summer Internship Program, you will complete a 12-week internship with access to internal development opportunities to enhance professional knowledge and skills.

\r\n\r\n

We are looking for agile individuals who enjoy problem-solving, are goal-oriented and are committed to business excellence. You will be someone who is able to think laterally and is a great communicator. A team player, you will build strong working relationships with your stakeholders and teams alike.

\r\n\r\n

As a Transgrid Intern you will:

\r\n\r\n
    \r\n\t
  • Work alongside bright and incredibly curious teams that are transforming the Energy Industry
  • \r\n\t
  • Develop professional skills that will set your career up within the Energy industry and fast track you to our Graduate program
  • \r\n\t
  • Be supported buddies and managers
  • \r\n\t
  • Build diverse skillset from strategic thinking to business acumen to prepare you for a career in the Energy Industry
  • \r\n\t
  • Challenge yourself and ensure you contribute to the business
  • \r\n
\r\n\r\n

To be considered for the Summer Internship Program you will be:

\r\n\r\n
    \r\n\t
  • Currently studying a tertiary qualification in business, human resources, finance, WHS, environmental science. law, computer science, marketing and communications
  • \r\n\t
  • In your second, third and/or penultimate year of study
  • \r\n\t
  • Environmentally and socially responsible
  • \r\n\t
  • Appreciative and sensitive of difference and diversity
  • \r\n\t
  • An Australian permanent resident or an Australian or New Zealand citizen
  • \r\n
", - "company": { - "name": "Transgrid", - "website": "https://au.prosple.com/graduate-employers/transgrid", - "logo": "https://connect-assets.prosple.com/cdn/ff/WvIChGB6nmaxX5hgADntd_C31gRDbPexrkSJrgrMQo8/1633148305/public/styles/scale_and_crop_center_80x80/public/2021-10/1633070980720_Sqaure%20logo.JPG" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/transgrid/jobs-internships/summer-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-22T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee371" - }, - "title": "Graduate Auditor", - "description": "

QAO’s graduate program is the first step toward an incredibly rewarding and versatile career. You will join our team as a permanent staff member from day one, with opportunities to progress after completing the 12-month program. We will provide formal, hands-on, and on-the-job training; regular professional development sessions; mentoring and a dedicated buddy to support you as you start working with a variety of clients throughout Queensland; and a variety of experiences and work to build your skills and knowledge. 

\r\n\r\n

You will work alongside a collaborative, diverse, and supportive team, to engage with clients and apply our technology and tools to glean unique insights. Effective communication skills, the ability to identify and solve problems and achieve results, and a sense of adventure are desirable qualities for the role. 

\r\n\r\n

Unlock your potential while you help improve public services for all Queenslanders – from the local government services you use in your community, to your hospitals, energy providers, universities, and more.

\r\n\r\n

You have a choice of commencing in October 2025 or February 2026.

\r\n\r\n

About the Queensland Audit Office

\r\n\r\n

On behalf of the Auditor-General, we provide insights to hundreds of state and local government clients on delivering better public services for Queenslanders. As the state's independent auditor, we are vital to Queensland's integrity system, giving parliament and the public trusted assurance.

\r\n\r\n

We use some of the most contemporary practices in today's professional services industry to:

\r\n\r\n
    \r\n\t
  • deliver high-quality financial, assurance, and information systems services
  • \r\n\t
  • give public sector entities insights into their performance, risks and financial management
  • \r\n\t
  • report to parliament on the results of our work
  • \r\n\t
  • investigate financial waste and mismanagement
  • \r\n\t
  • share best practices across our client base and industry.
  • \r\n
\r\n\r\n

Working at QAO

\r\n\r\n

Innovation, teamwork and relationships are at the heart of what we do. We invest in advanced audit capabilities with integrated analytics and information systems audits. Other benefits include:

\r\n\r\n
    \r\n\t
  • a starting salary of $75,205, plus 12.75 per cent superannuation and leave loading
  • \r\n\t
  • travel throughout Queensland with your colleagues when performing client visits
  • \r\n\t
  • a Brisbane based role with hybrid work arrangements – work from client sites, in the office, and from home
  • \r\n\t
  • state-of-the-art technology to enable you to work in the head office, at client sites or at home
  • \r\n\t
  • continuous learning opportunities, including formal learning and personalised career development.
  • \r\n\t
  • active social club organising events throughout the year.
  • \r\n
\r\n\r\n

Who can apply

\r\n\r\n

To apply for the graduate program, you will need to meet the following eligibility criteria:

\r\n\r\n
    \r\n\t
  • Be an Australian or New Zealand Citizen/Permanent Resident, or have permanent working rights within Australia
  • \r\n\t
  • Be studying, or have studied, at an Australian university in an appropriate tertiary qualification accounting, commerce, business, data science, information technology, information systems, mathematics/statistics, public policy or management.
  • \r\n\t
  • You must have completed a minimum of undergraduate-level study within the last 2 years, or will complete a minimum of undergraduate-level study before the program starts.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n
    \r\n\t
  • You should provide a copy of your Curriculum Vitae (CV) and your academic transcript.
  • \r\n\t
  • Clearly state your tertiary qualification and graduation date (including pending dates) in your CV – your application may be unable to proceed if this is unclear.
  • \r\n
\r\n\r\n
    \r\n\t
  1. Apply online and create your profile. You will be prompted to add our Program Code which is 17115466.
  2. \r\n\t
  3. Complete the following:
  4. \r\n
\r\n\r\n
    \r\n\t
  • Upload your current resume, including contact details of 2 referees who have supervised you within the past 2 years (for example, this might be work, university, or volunteer work)
  • \r\n\t
  • Upload your academic transcript and any other tertiary qualifications you hold
  • \r\n\t
  • Create a short 60 to 90 second video to introduce yourself. The video is a short introduction about yourself, what you’ve studied, one or 2 key achievements, what strengths you bring to the role, and why you'd like a career with us. The details of how to record the video are explained under the support ‘?’ icon.
  • \r\n
\r\n\r\n

More information

\r\n\r\n

The position description outlining the role and the timetable for our recruitment and selection process is available on our Graduates page on our website. Our Graduate website also has a variety of Frequently Asked Questions about the program, and some insights from former graduates on their experience. 

\r\n\r\n

We are committed to building inclusive cultures in the Queensland public sector that respect and promote human rights and diversity.

", - "company": { - "name": "Queensland Audit Office", - "website": "https://au.prosple.com/graduate-employers/queensland-audit-office", - "logo": "https://connect-assets.prosple.com/cdn/ff/mMaPgsKNWdb_V9VgpdT5xtektUrozaRlgdXnfcmtXaM/1583309424/public/styles/scale_and_crop_center_80x80/public/2020-01/logo-queensland-audit-office-120x120-2020.png" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/301/17115466/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-audit-office/jobs-internships/graduate-auditor-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-25T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee372" - }, - "title": "UNIQLO Global Management Program - 6 days in Tokyo", - "description": "

UNIQLO Global Management Program

\r\n\r\n

Expenses of accommodation, flight, and a stipulated trip allowance will be covered

\r\n\r\n

Location: Tokyo, Japan

\r\n\r\n

Program Duration: 6 days

\r\n\r\n

Program Dates: 27 July~1 Aug, 2025

\r\n\r\n

 

\r\n\r\n

About UNIQLO

\r\n\r\n

UNIQLO is the leading brand of the Fast Retailing Group, the third-largest apparel retailer in the world. UNIQLO respects the individuality and lifestyle of all customers and takes pride in creating high quality, long-lasting, innovative clothing at an affordable price since the establishment of the company in 1949 in Yamaguchi, Japan, originally as a textiles manufacturer.

\r\n\r\n

As the Group’s pillar brand, UNIQLO continues to open large-scale stores in some of the world's most important cities and locations, as part of its ongoing efforts to solidify its status as a global brand. Today the company has more than 2,500 stores in 26 mmarkets including Japan. Driven by the concept of LifeWear, apparel that comes from the Japanese values of simplicity, quality and longevity, we offer unique products that become the building blocks of an individual’s lifestyle. We oversee the entire clothes-making process – from procurement of materials, product planning, development, design and manufacture, through distribution, retail and inventory management. 

\r\n\r\n

About UNIQLO Global Management Program

\r\n\r\n

UNIQLO Global Management Program(GMP) is a 6-day intensive program hold in Tokyo, Japan, in which students are provided with a unique opportunity to interact with global business leaders to learn more about the fashion-retailing industry and Fast Retailing's business. 

\r\n\r\n

During the 6 days, students can learn leadership and project management skills by discussing with industry specialists and collaborating with students from around the world to tackle and propose solutions for global business issues. It will take place from Jul 28th, 2024 to Aug 2nd, 2024 (Japan Time), but the program require that one day before and after be set aside for mobility.

\r\n\r\n

An online Program Orientation session will be held by end of May, detailed information will be shared in that session.

\r\n\r\n
    \r\n\t
  • Jul 26 or 27, Flight to Tokyo
  • \r\n\t
  • Jul 28, Tokyo Sightseeing
  • \r\n\t
  • Jul 29 to Aug 2, Business Sessions with market specialists, Tokyo UNIQLO Store Visit & Research, Presentation to the FR Board Management, Engagement Activity
  • \r\n\t
  • Aug 3 or 4, Departure From Tokyo
  • \r\n
\r\n\r\n

*We will provide your round-trip transportation to Japan, accommodations and insurance during the program period, visa support, etc.

\r\n\r\n

What’s in it for You

\r\n\r\n
    \r\n\t
  1. Gain deeper insights into the retailing industry
  2. \r\n\t
  3. Improve leadership & teamwork skills in multicultural settings
  4. \r\n\t
  5. Develop project management skills through actual projects
  6. \r\n\t
  7. Interact with group executives and experts in the industry
  8. \r\n\t
  9. Acquire mentorship from local senior managers during GMP
  10. \r\n\t
  11. Opportunities to engage in Fast Retailing’s future recruitment
  12. \r\n
\r\n\r\n

Let’s talk about You

\r\n\r\n
    \r\n\t
  • We are looking for undergraduates who are ready to develop their global perspective. To be successful, you will strive to or will possess:
  • \r\n\t
  • You have a global mindset and can challenge the status quo
  • \r\n\t
  • You are driven, highly motivated and able to thrive to achieve your long-term plans and career goals
  • \r\n\t
  • You are passionate and have a strong drive to develop your commercial and leadership skills
  • \r\n\t
  • You have excellent organisational, time management skills and can prioritise effectively
  • \r\n\t
  • You have demonstrated ability to think logically, make decisions and solve problems by being innovative
  • \r\n
\r\n\r\n

Who We’re looking for

\r\n\r\n
    \r\n\t
  1. Undergraduates all around the world
  2. \r\n\t
  3. Aspire to be global business leaders
  4. \r\n\t
  5. Possess leadership and teamwork skills
  6. \r\n\t
  7. Willing to work in a multicultural environment
  8. \r\n\t
  9. Available to attend about a week program
  10. \r\n
\r\n\r\n

Next Steps

\r\n\r\n

Sounds like an exciting opportunity? Apply Now! We’d love to hear from you. 

\r\n\r\n

Applications are open until February 14th, 2025 (09:59 (UTC/GMT + 9 hours)

", - "company": { - "name": "UNIQLO Australia", - "website": "https://au.prosple.com/graduate-employers/uniqlo-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Jn-ZFlDXr_7CNm0oFPvx03fFsJdNqMXKdQDeobBrXK8/1734044214/public/styles/scale_and_crop_center_80x80/public/2024-12/1734044212848_UNIQLO%20LOGO.jpg" - }, - "application_url": "https://fastretailing.wd3.myworkdayjobs.com/en-US/gmp2025/details/XMLNAME--Global--Global-Management-Program-2025_R00000004150801", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/uniqlo-australia/jobs-internships/uniqlo-global-management-program-6-days-in-tokyo" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-24T09:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee373" - }, - "title": "Technology Graduate Program", - "description": "
    \r\n\t
  • Full-time graduate program
  • \r\n\t
  • Award-winning and dedicated learning and development program
  • \r\n\t
  • Work on high-impact, meaningful and purpose-led projects
  • \r\n\t
  • Embrace our disruptive thinking and innovative way of working
  • \r\n
\r\n\r\n

Your Deloitte Experience: 

\r\n\r\n

Deloitte embraces technology as a catalyst for innovation and offers many career opportunities in the technology sector.  
\r\n 
\r\nAs a technology professional at Deloitte, you'll work with cutting-edge technologies and help clients harness the power of digital solutions to drive their business forward.  

\r\n\r\n

Whether it's IT consulting, software development, or technology strategy, you'll have the opportunity to collaborate with clients to solve complex challenges and implement transformative solutions. From leveraging cloud computing and emerging technologies like artificial intelligence and blockchain to designing scalable systems and ensuring cybersecurity, you'll play a vital role in shaping the future of organisations.  

\r\n\r\n

With access to a global network of technology experts, training programs, and industry-leading tools, a career in technology at Deloitte will provide you with endless opportunities to innovate, grow, and make a positive impact. 

\r\n\r\n

We still have limited opportunities in our Technology Controls team in Melbourne. 

\r\n\r\n

Next Steps  

\r\n\r\n

Sound like the sort of role for you? Pre-register now!

\r\n\r\n

By applying for this job, you’ll be assessed against the Deloitte Talent Standards. We’ve designed these standards so that you can grow in your career, and we can provide our clients with a consistent and exceptional Deloitte employee experience globally. The preferred candidate will be subject to background screening by Deloitte or by their external third-party provider. 

", - "company": { - "name": "Deloitte Australia", - "website": "https://au.prosple.com/graduate-employers/deloitte-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/LpbZJTaB2t6HcMlDYdwynoVjD1KY6woGPa2LAxrMrHI/1627117907/public/styles/scale_and_crop_center_80x80/public/2021-07/logo-deloitte-au-480x480-2021.png" - }, - "application_url": "https://www.deloitte.com/au/en/careers/students/find-your-fit/skills-technology.html?id=au:2el:3or:4tal-graduate2024-2024::6talent:20240228::grad-tech-pro&utm_source=pro&utm_medium=web&utm_campaign=tal-graduate2024-2024&utm_content=button", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/deloitte-australia/jobs-internships/technology-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-22T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee374" - }, - "title": "Information Management - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Information management graduates research emerging technologies, information management practices and trends and identify how these apply to their ICT agency or department within the Queensland Government. The information management graduate liaises and consults widely to promote and market effective corporate information management practices. They maintain an up-to-date knowledge of government information policies and standards and legislative requirements.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in an information management role may include:

\r\n\r\n
    \r\n\t
  • fostering relationships with a wide range of stakeholders
  • \r\n\t
  • contributing to research and analysis on information management public policy and strategy
  • \r\n\t
  • reviewing and drafting operational policies relating to the management, deployment and use of corporate information
  • \r\n\t
  • assisting with the preparation of data and information reports, publications and presentations
  • \r\n\t
  • contributing to writing briefs, submissions and correspondence
  • \r\n\t
  • assisting with projects, initiatives, administration and support.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for an information management role will have:

\r\n\r\n
    \r\n\t
  • strong organisational skills and problem-solving skills
  • \r\n\t
  • the ability to analyse and collate information
  • \r\n\t
  • a high level of interpersonal and liaison skills
  • \r\n\t
  • an ability to produce detailed and accurate work including high level writing skills
  • \r\n\t
  • integrity, be discreet and be able to maturely deal with sensitive issues.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of:

\r\n\r\n
    \r\n\t
  • modern research techniques and project management
  • \r\n\t
  • information management, information sharing and identity profiling
  • \r\n\t
  • change management.
  • \r\n
\r\n\r\n

Your degree may be in information management, law, business, information technology or telecommunications.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/information-management-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee375" - }, - "title": "Graduate Systems Administrator", - "description": "

Award winning Graduate Program

\r\n\r\n

Leidos Australia has been identified as a Top 100 Graduate Employer in Australia for the forth year in a row, and again ranked in the Top 5 for the Defence and Aerospace sector for the third year in a row by Prosple - So what makes our graduate program award winning?

\r\n\r\n
    \r\n\t
  • As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program.
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in.
  • \r\n\t
  • You will attend a graduate specific induction along with monthly graduate catch ups as an opportunity to build connections internally and to learn more about the business.
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Leidos Benefits

\r\n\r\n
    \r\n\t
  • Access to over 100,000 online training and development courses through our the technical training portal Percipio
  • \r\n\t
  • Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities and the Defence & Emergency Services
  • \r\n\t
  • Entitlement to one day a year of volunteer leave to support a cause you’re passionate about
  • \r\n\t
  • Leidos is a family friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for an alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests
  • \r\n\t
  • Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers
  • \r\n
\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees globally support vital missions for government and commercial customers.

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Led by a local leadership team, we deliver projects and services through five lines of business – Airborne Solutions, Civil Services & Projects, Defence Digital Solutions & Support, Defence Mission Systems and Intelligence (C4ISR) – supported by local corporate functions.

\r\n\r\n

Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ local workforce, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises.

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Systems Administrator providing Application and Infrastructure Support for a number of systems across different environments and includes a wide range of activities:

\r\n\r\n
    \r\n\t
  • Supporting, maintaining and improving an extensive server platform and related applications, across multiple domains and national locations;
  • \r\n\t
  • Key team member supporting  both the Business and ICT users of the supporting infrastructure;
  • \r\n\t
  • Applying operating system updates, patches, and configuration changes;
  • \r\n\t
  • Troubleshooting any reported issues;
  • \r\n\t
  • Utilising enterprise-wide monitoring platforms;
  • \r\n\t
  • Updating and creating system documentation;
  • \r\n\t
  • Deploying system wide software;
  • \r\n\t
  • Adhering to documented policies and procedures;
  • \r\n\t
  • Undertaking minimal development activities that directly support the applications served from the supporting infrastructure;
  • \r\n\t
  • Working as a team to solve complex ICT problems;
  • \r\n\t
  • Directly supporting customer missions through business ICT support
  • \r\n\t
  • Applying DevOps and automation principles to increase consistency and efficiency
  • \r\n
\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor Information Technology
  • \r\n\t
  • Bachelor of Computer Science
  • \r\n\t
  • Bachelor of Information Systems
  • \r\n\t
  • Bachelor of Engineering
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks paid parental leave as a primary carer and more. We look forward to welcoming you.

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-systems-administrator" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee376" - }, - "title": "Graduate Digital Engineer", - "description": "

Arcadis is the world's leading company delivering sustainable design, engineering, and consultancy solutions for natural and built assets.

\r\n\r\n

We are more than 36,000 people, in over 70 countries, dedicated to improving quality of life. Everyone has an important role to play. With the power of many curious minds, together we can solve the world’s most complex challenges and deliver more impact together.

\r\n\r\n

Role description:

\r\n\r\n

Our Graduate Development Program enables you to gain valuable and meaningful technical, leadership, and behavioural skills. It provides an opportunity to hone and showcase your digital prowess, communication, emotional intelligence, and problem-solving skills to name a few towards a more productive work/life balance.  

\r\n\r\n

Further to regular development supported by our active Graduate Group and through our Roots of Arcadis community, you will take part in our Graduate Development Program which focuses on accelerating your technical and personal skills development. The state-based Graduate Group equips you to accelerate your career and build a depth and breadth of personal and professional experiences through various events including Meet the Legends events with our Senior Technical Directors, Trivia Nights, Site Visits, Knowledge Sharing events, and a lot more.  

\r\n\r\n

Our Arcadis Expedition DNA program could give you the opportunity to join other Arcadis professionals from across the globe where you will deepen your understanding of digital transformation and start building skills related to digital and innovation.  

\r\n\r\n

Role accountabilities:

\r\n\r\n

Joining this Digital Engineering team will see you sit within our Victorian Highways business unit. You’ll be working with a very strong team providing Building Information Modelling (BIM) coordination and data/programming on our large infrastructure projects incorporating major road and rail design.

\r\n\r\n

Qualifications & Experience:

\r\n\r\n

First and foremost, you have a passion for improving the quality of life. You share our values – People First, Collaboration, Sustainability, Client Success, and Integrity. You will be graduating in 2025 or have recently graduated from a Civil Engineering or Data Analytics degree or a degree relevant to the space we work. You’ll come to us:    

\r\n\r\n
    \r\n\t
  • With a passion for the work that we do in engineering design, environmental science, planning, business advisory, sustainability, and digital innovation.
  • \r\n\t
  • Demonstrating typical Arcadian skills including Resilience, Creativity, Analytical Thinking, Growth-Mindset, and the ability to build working relationships with both internal and external stakeholders.
  • \r\n\t
  • With innovative thinking, self-motivation, and enthusiasm about driving your own career development.
  • \r\n\t
  • Confident in communicating and presenting to peers, clients, and stakeholders.
  • \r\n
\r\n\r\n

Why Arcadis?

\r\n\r\n

We can only achieve our goals when everyone is empowered to be their best. We believe everyone's contribution matters. It’s why we are pioneering a skills-based approach, where you can harness your unique experience and expertise to carve your career path and maximize the impact we can make together.

\r\n\r\n

You’ll do meaningful work, and no matter what role, you’ll be helping to deliver sustainable solutions for a more prosperous planet. Make your mark, on your career, your colleagues, your clients, your life and the world around you.

\r\n\r\n

Together, we can create a lasting legacy.

\r\n\r\n

Join Arcadis. Create a Legacy.

\r\n\r\n

Our Commitment to Equality, Diversity, Inclusion & Belonging

\r\n\r\n

We want you to be able to bring your best self to work every day which is why we take equality and inclusion seriously and hold ourselves to account for our actions. Our ambition is to be an employer of choice and provide a great place to work for all our people.

\r\n\r\n

As an equal-opportunity employer, we value and promote diversity at Arcadis and strongly encourage applications from Aboriginal and Torres Strait Islander people.

\r\n\r\n

Application Instructions 

\r\n\r\n

If what you’ve read resonates with your values, experience and career ambitions, we encourage you to:  

\r\n\r\n
    \r\n\t
  1. Apply via the link below, including a CV and academic transcripts. Please note that without these documents we cannot consider your application.
  2. \r\n\t
  3. The application process will consist of an online behavioural assessment before proceeding to the interview stage.
  4. \r\n\t
  5. We will aim to have all applications reviewed and notify you of the outcome of your application and next stages in the process by 1 May.
  6. \r\n
\r\n\r\n

Visit our careers page for more information.

\r\n\r\n

Watch this video to see what to expect while working at Arcadis as a Graduate. 

\r\n\r\n

", - "company": { - "name": "Arcadis Australia Pacific", - "website": "https://au.prosple.com/graduate-employers/arcadis-australia-pacific", - "logo": "https://connect-assets.prosple.com/cdn/ff/-4qnwTpanyC278pwDG92Bhh6CYsZ5IwjPNShOS1SkYU/1615589225/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-arcadis-120x120-2021.png" - }, - "application_url": "https://jobs.arcadis.com/careers/job/563671515233112", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/arcadis-australia-pacific/jobs-internships/graduate-digital-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-28T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee377" - }, - "title": "Data Analytics Summer Vacation Program", - "description": "

McGrathNicol is a specialist Advisory and Restructuring firm, helping businesses improve performance, manage risk, and achieve stability and growth. 

\r\n\r\n

Our Data Analytics team bring together the disciplines of computer science, mathematics, statistics, econometrics, business intelligence and financial accounting with decades of combined cross-industry experience. We are seeking students with a passion and genuine interest in Data Analytics. A level of understanding or experience with Python, R, SQL, PowerBI and Alteryx is preferred but not essential. 

\r\n\r\n

What we offer you 

\r\n\r\n
    \r\n\t
  • Our Summer Vacation Program will provide you with real world commercial experience across a variety of different projects and industries.
  • \r\n\t
  • The program commences with a two-day national induction intensive in our Sydney office where you will have the opportunity to meet and learn from a range of McGrathNicol experts through structured sessions, networking and social events.
  • \r\n\t
  • We offer a unique opportunity to shadow senior staff and Partners, learning and gaining valuable insights from some of the best in the industry. You will also have a Buddy, Time Manager, Counselling Manager and Counselling Partner responsible for providing you with a variety of interesting work, as a well as general support and guidance throughout your placement.
  • \r\n\t
  • High performing Vacationers may be offered a permanent full-time Graduate position.
  • \r\n
\r\n\r\n

Who you are

\r\n\r\n
    \r\n\t
  • an Australian or New Zealand Citizen or Australian Permanent Resident at the time of submitting your application;
  • \r\n\t
  • in your penultimate year of a STEM related bachelor’s or master’s degree, preferably with a Data Science/Analytics, Business Analytics, Mathematics, Statistics, Econometrics, Actuarial Science related degree or major; and
  • \r\n\t
  • available to commence work for a four-week period in either November 2025 or January 2026, or an eight-week period commencing in November 2025.
  • \r\n
\r\n\r\n

Interested?

\r\n\r\n

Pre-register now to get notified when the opportunity is open. If you would like further information, please contact the national HR team.

", - "company": { - "name": "McGrathNicol", - "website": "https://au.prosple.com/graduate-employers/mcgrathnicol", - "logo": "https://connect-assets.prosple.com/cdn/ff/qkRtYvrlqcH29nFwt30_QSZ_GTUAWYfH6Y_knAHlTBg/1565765303/public/styles/scale_and_crop_center_80x80/public/2019-08/Logo-McGrathNicol-240x240-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mcgrathnicol/jobs-internships/data-analytics-summer-vacation-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee378" - }, - "title": "2025 Grad Operations Shift Manager (NSW)", - "description": "We are currently seeking a recent graduate with a passion for learning, process improvement, management and/or data driven problem solving to be based in one of our Delivery Stations at Amazon!", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2538100/2024-operations-shift-manager-amzl", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-grad-operations-shift-manager-nsw" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-21T04:10:00.000Z" - }, - "locations": ["VIC"], - "study_fields": [ - "Administration", - "Arts and Humanities", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Computer Science", - "Construction", - "Consulting", - "Data Science and Analytics", - "Economics", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Fast Moving Consumer Goods", - "Information Technology", - "Logistics and Supply Chain", - "Management", - "Marketing and Sales", - "Operations", - "Procurement", - "Recruitment", - "Research and Development", - "Transport" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee379" - }, - "title": "Nestle Youth Entrepreneurship Platform (YEP)", - "description": "Nestle is empowering young innovators to shape the future of food.", - "company": { - "name": "Nestlé", - "website": "https://au.gradconnection.com/employers/nestle", - "logo": "https://media.cdn.gradconnection.com/uploads/d9f51a04-004e-4fa6-b1dc-18aebaa0b99f-128088771_d9f51a04-004e-4fa6-b1dc-18aebaa0b_9xjJuVi.png" - }, - "application_url": "https://lnkd.in/gPRXBTUf", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/nestle/jobs/nestle-nestle-youth-entrepreneurship-platform-yep-29" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-28T13:59:00.000Z" - }, - "locations": ["ACT", "NSW", "NT", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37a" - }, - "title": "Intern Project Management #GeneralInternship", - "description": "At Singtel, our mission is to Empower Every Generation. We are dedicated to fostering an equitable and forward-thinking work environment where our employees experience a strong sense of Belonging, to make meaningful Impact and Grow both personally and professionally.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Intern-Project-Management-GeneralInternship-Sing/1053519966/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-intern-project-management-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37b" - }, - "title": "First Nations Business Graduates", - "description": "

Our Graduate Program 

\r\n\r\n

Our #VentiaGrad program commences in January 2026, it is a two-year program with 2 x 6-month rotations and 1 x 12-month rotation to help you discover and learn about the many different parts of our business. Our program is designed to help you unlock your full potential and take your career to new heights. Your three rotations will take you out of your comfort zone by giving you the chance to work in both corporate and sector work environments and provide you with endless opportunities through meaningful work assignments and projects which will help accelerate your career.   

\r\n\r\n

Our structured, two-year program includes: 

\r\n\r\n
    \r\n\t
  • Professional development designed to build your capability and bridge the gap between university and work, including emerging talent programs, technical and soft-skill development.
  • \r\n\t
  • Mentoring opportunities with senior leaders to provide you with long-term career support.
  • \r\n\t
  • A current or former graduate buddy to help you navigate your first-two years with us.
  • \r\n\t
  • Innovation challenges to bring out your creative side.
  • \r\n\t
  • Rewarding work with a purpose. You’ll be contributing to projects and providing essential services that keep infrastructure working for our communities.
  • \r\n
\r\n\r\n

What you’ll do may surprise you! 

\r\n\r\n

#VentiaGrads will have the opportunity to work on a range of work assignments and projects across Ventia’s diverse portfolio which will provide you with practical, hands-on experience to build upon your qualifications and help solve challenges and deliver positive outcomes. 

\r\n\r\n

Ventia specialises in the long-term operation, maintenance, and management of critical public and private assets and infrastructure. We operate across four main sectors: Defence & Social Infrastructure, Infrastructure Services, Telecommunications and Transport.  

\r\n\r\n

Our functional teams & sectors have endless opportunities for graduates in the following and disciplines: 

\r\n\r\n

Locations – Dharug (Sydney), Wurundjeri, Kulin nation (Melbourne) and Yuggera (Brisbane) 

\r\n\r\n
    \r\n\t
  • Business, Commerce and Economics
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Human Resources
  • \r\n\t
  • Business Analytics & Data Science
  • \r\n\t
  • Information Technology
  • \r\n
\r\n\r\n

Great things start here 

\r\n\r\n

At Ventia, we’re proud of our talented and engaged people who bring our values to life, inspire confidence with our clients and make a difference for the communities where we work. Our people are at the heart of our success and together with our clients, we contribute to stronger communities by making them safer and more sustainable. 

\r\n\r\n

We understand that choosing where you start your career is a big decision and we strive to nurture and develop the next generation of leaders, providing you with unappareled opportunities for career growth. We’re looking for people who can apply their unique personality, skills, and experiences to transform the lives of people in our communities. If you are passionate about innovation, sustainability and being client-focused, then our program is right for you – join us bring our strategy of Redefining Service Excellent to life!   

\r\n\r\n

You can view a day in the life of one of our Business Grads by clicking here.

\r\n\r\n

Key Requirements 

\r\n\r\n

To be eligible for the #VentiaGrad program, you must meet the following criteria:  

\r\n\r\n
    \r\n\t
  • Successfully completed relevant diploma, certificate 4 or undergraduate degree in the last two years or be in your final semester of study.
  • \r\n\t
  • Hold Australian or New Zealand citizenship, Permanent residency, or Graduate Visa 485 (valid until the end of 2027)
  • \r\n\t
  • Willingness to travel and relocate for the duration of the rotation.
  • \r\n
\r\n\r\n

About Ventia 

\r\n\r\n

Ventia is a leading infrastructure services company, operating across Australia and New Zealand. Our clients are the owners and operators of assets that are critical to our local communities. We pride ourselves on working smart, safely and sustainably, harnessing the latest technologies and brightest minds. With a diverse and proud heritage, we have a track record of delivering essential services to the communities in which we operate.   

\r\n\r\n

Diversity 

\r\n\r\n

Ventia is enriched by the diverse experiences, talents and cultures that our people bring to the organisation, while celebrating and respecting the communities we operate in. We are committed to providing a safe and positive environment that provides equal opportunities for individuals of all backgrounds, including Aboriginal and Torres Strait Islander people, LGBTQIA+, Women, Veterans and spouses and people with disabilities.  

\r\n\r\n

Application Process 

\r\n\r\n

The application process involves the following: application, initial screen, psychometric assessment, video interview, assessment centre, pre-employment checks & offer. 

\r\n\r\n

How to apply  

\r\n\r\n

To apply, click the 'apply now' button on this page and include the following: 

\r\n\r\n
    \r\n\t
  • resume
  • \r\n\t
  • academic transcript,
  • \r\n\t
  • work rights – either Passport or Birth Certificate or Australian Citizenship Certificate and photo ID.
  • \r\n
\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Ventia", - "website": "https://au.prosple.com/graduate-employers/ventia", - "logo": "https://connect-assets.prosple.com/cdn/ff/tl7aTbqFuEXOczk2hDrm0PWNJq8x_RIkjD45OliiRGI/1717055674/public/styles/scale_and_crop_center_80x80/public/2024-05/logo-ventia-480x480-2024.jpg" - }, - "application_url": "https://jobs.ventia.com/job-invite/158963/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ventia/jobs-internships/first-nations-business-graduates-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37c" - }, - "title": "Data Stream Graduate Program", - "description": "

\"I was really excited to join the Graduate Program because I knew that it would be a really great way to enter the workforce, and I’d be surrounded by other people who are also looking to advance their careers. There are so many opportunities for professional development and to learn on-the-job, you’re really well supported by supervisors whose role is to teach you as much as they can and make sure that you’re getting the best out of yourself.

\r\n\r\n

Jemma, 2022 Graduate

\r\n\r\n

The Department of Employment and Workplace Relations (DEWR) is eager to recruit graduates who can apply their strong analytical, numeric and communication skills to real-world issues to help develop policies and deliver programs that contribute to Australia’s workforce and skill needs today and to the future to further Australia’s prosperity.

\r\n\r\n

We offer formal and on-the-job training supported by experienced supervisors to develop your skills in quantitative data analysis using industry-standard software including, but not limited to, SAS, R, Python, Power BI, and SQL. Programming experience is not essential but may be beneficial for some graduate placements.

\r\n\r\n

Additionally, all graduates in the Graduate Program will undertake a formal learning and development program.

\r\n\r\n

Throughout the graduate program, you will have the opportunity to work with and learn from subject matter experts to advance your data skills. You will also benefit from the department’s Data Analyst Network, an online forum for data analysts to share information and skills on a broad range of topics relating to data and data analysis.

\r\n\r\n

The department is focused on attracting graduates from a range of disciplines including economics, commerce, statistics, mathematics, science, social research, actuarial studies, finance, psychology, and a variety of others that involve working with and analysing data. If you have the desire to use data to inform evidence-based policy which aims to help develop and improve outcomes for Australians, we want to hear from you. 

\r\n\r\n

What our data graduates do

\r\n\r\n

Data graduates get exposure to and use data from a range of rich data sources within the department’s portfolio.

\r\n\r\n

Data graduate roles cover the full data lifecycle including survey and questionnaire development, data acquisition, data engineering and data analysis, as well as more specialised disciplines such as data science, economics, financial and budget analysis, methodology, geospatial analysis, machine learning and modelling, and data management.

\r\n\r\n

The work our data graduates undertake supports evidence-based decision-making in relation to all aspects of government including policy development, program management and service delivery.

\r\n\r\n

Some of the areas in the department and what a data graduate could be working on include but are not limited to:

\r\n\r\n
    \r\n\t
  • Data Collection and Management\r\n\t
      \r\n\t\t
    • improving the way the department collects, manages, analyses and releases data. This includes designing and conducting surveys to collect first-hand information from program stokeholds, developing administrative data collected through services delivery for further analysis, and establishing data management and sharing policies and protocols to ensure data value is maximised in a safe environment.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Performance reporting and program evaluation\r\n\t
      \r\n\t\t
    • applying advanced analytical techniques to a range of integrated datasets to gain insights into complex policy problems or to evaluate the performance of policies and programs to assess if they achieve designed objectives.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Compliance and Assurance\r\n\t
      \r\n\t\t
    • monitoring program performance and protecting government outlays by using cutting-edge techniques and visualisations to identify non-compliance and fraud.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Economics\r\n\t
      \r\n\t\t
    • developing strategic economic advice through analysing economic and financial data, including economic models and costings to support policy development.
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

We are looking for highly motivated graduates from a wide range of disciplines and life experiences who want to play a part in shaping Australia’s future and informing the decision-making process. You can apply to the APS Data Graduate recruitment program and be considered for a variety of exciting roles.

\r\n\r\n

Background or knowledge in any other field with a focus on quantitative analysis problem-solving and research would also be an advantage. We are seeking highly motivated graduates with enthusiasm, a good work ethic, and an attitude open to learning and innovation who enjoy working as part of a team. Strong interpersonal and communication skills are also highly valued.

\r\n\r\n

Who can apply?

\r\n\r\n

To be eligible to apply, applicants must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen or will be by 1 October 2025
  • \r\n\t
  • Must have completed your university degree within the last five years or be in your final year of study and have completed all your course requirements before commencing our program
  • \r\n\t
  • Be prepared to obtain and maintain baseline security clearance
  • \r\n
\r\n\r\n

If you secure a place in our 2026 Graduate Program, you will need to provide evidence of your Australian citizenship and be willing to undergo a National Police Check and health checks as required. The department will guide you through the process of obtaining your baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

We work collaboratively with other APS agencies to recruit talented individuals through other specialty graduate and entry-level programs. These speciality graduate programs are co-ordinated centrally by AGGP.

\r\n\r\n

Visit the APS Jobs Career Pathways website to find out more or apply. Make sure you nominate the Department of Employment and Workplace Relations as your preferred agency for your chance to join us! 

\r\n\r\n

Secure jobs are vital—driving future economic growth and providing people with certainty. We focus on connecting Australians who are starting, advancing, or changing their career with the relevant skills, knowledge, and experience to gain or regain employment.

\r\n\r\n

Our work makes a difference to the lives of all Australians, and we want you to be part of it. 

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://abs.nga.net.au/cp/index.cfm?event=jobs.jati&returnToEvent=jobs.home&jobID=62A5A336-EF7D-4607-B810-B0F90082A909&audienceTypeCode=EXT&UseAudienceTypeLanguage=1&rmuh=AA2D30E284761F8F8AADCC77DC71E1C2187C7787", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/data-stream-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-14T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37d" - }, - "title": "The Alternative", - "description": "Launching in 2024, The Alternative is a South Australian program changing how people begin their careers. Three Placements, Real Experience. Fast-Moving Industries", - "company": { - "name": "The Alternative", - "website": "https://au.gradconnection.com/employers/the-alternative", - "logo": "https://media.cdn.gradconnection.com/uploads/1812b67a-e4d3-43df-bc4b-e5f29aadb85a-The_Alternative_Logo_Grad_Connection.jpg" - }, - "application_url": "https://www.livehire.com/job/thealternativesa/RMK8R?source=gradconnection", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/the-alternative/jobs/the-alternative-the-alternative-15" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-09T03:52:00.000Z" - }, - "locations": ["SA"], - "study_fields": [ - "Architecture", - "Arts and Humanities", - "Communications", - "Computer Science", - "Construction", - "Cyber Security", - "Data Science and Analytics", - "Design and User Experience", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Petroleum", - "Engineering - Software", - "Food Technology", - "Geology", - "Industrial Design", - "Information Systems", - "Information Technology", - "Journalism", - "Marine Biology", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Mining Oil and Gas", - "Physics", - "Planning and Surveying", - "Project Management", - "Research and Development", - "Science", - "Statistics", - "Telecommunications", - "Utilities" - ], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.598Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.598Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37e" - }, - "title": "Network Engineer (Intern)", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Collaborate with the APJ CPOC team to deliver product and solution validation engagements.
  • \r\n\t
  • Prepare testbeds and support network infrastructure maintenance.
  • \r\n\t
  • Administer the CPOC lab, ensuring inventory order and OH&S compliance.
  • \r\n\t
  • Participate in customer engagements under the guidance of a Systems Engineer.
  • \r\n\t
  • Assist in delivering POC engagements and provide administrative support.
  • \r\n\t
  • Mentor new co-ops and collaborate with peers.
  • \r\n\t
  • Gain knowledge of Cisco solutions for Service Providers.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate:

\r\n\r\n
    \r\n\t
  • Is pursuing an advanced degree or certification in networking, IT, or computer science.
  • \r\n\t
  • Has a passion for networking and technology.
  • \r\n\t
  • Possesses knowledge of adjacent technologies and scripting (Python or Java).
  • \r\n\t
  • Holds or is pursuing Cisco Certifications (e.g., CCNA, CCNP).
  • \r\n\t
  • Demonstrates strong analytical and problem-solving skills.
  • \r\n\t
  • Can multitask and work independently in a fast-paced environment.
  • \r\n\t
  • Is an Australian Permanent Resident or Australian/New Zealand Citizen.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Cisco offers competitive compensation, including potential bonuses, healthcare, and other perks. Specific salary details will be discussed during the hiring process.

\r\n\r\n

Training & development

\r\n\r\n

Interns receive in-depth training, with opportunities to earn industry-leading certifications, such as the CCNA, by the end of the internship.

\r\n\r\n

Career progression

\r\n\r\n

This role provides a pathway to more direct involvement in customer engagements, with potential for career advancement within Cisco's network engineering teams.

\r\n\r\n

Report this job

", - "company": { - "name": "Cisco Australia", - "website": "https://au.prosple.com/graduate-employers/cisco", - "logo": "https://connect-assets.prosple.com/cdn/ff/QOOE1SaF49vkjO-0oTAbZCgKpYFP0WTUbNycycHlWj4/1656890041/public/styles/scale_and_crop_center_80x80/public/2022-07/logo-cisco-480x480-2022.jpg" - }, - "application_url": "https://jobs.cisco.com/jobs/ProjectDetail/Network-Engineer-Intern-Australia/1434713?source=Cisco+Jobs+Career+Site&tags=CDC+Browse+all+jobs+careers", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/cisco-australia/jobs-internships/network-engineer-intern-0" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee37f" - }, - "title": "Graduate Program", - "description": "

We’re one of Australia’s largest diversified property groups. For over 70 years we’ve been creating and curating communities full of energy, soul and life.  We’re on a mission to create a better future for our people, communities and the planet.

\r\n\r\n

Take the first step in joining us on our mission by applying for our award-winning Graduate Program.

\r\n\r\n

Our 2-year Graduate Program: 

\r\n\r\n
    \r\n\t
  • Is a permanent offer of employment
  • \r\n\t
  • Over 90% of Grad roles rotate within our diverse business
  • \r\n\t
  • Most roles offer at least 1 elective rotation, where Grads nominate where they would like to gain experience within the business
  • \r\n\t
  • Provides a strong support network (Grads, Managers, Grad Support Team, Career Coach and Buddy)
  • \r\n\t
  • Offers tailored learning sessions specifically designed for Grads
  • \r\n\t
  • Unlocks access to Stockland’s wider Learning and Development opportunities
  • \r\n\t
  • Partnering Grads to our Senior Leaders, (a unique advantage of the Graduate Program)
  • \r\n\t
  • Includes support in securing the next best role after the Graduate Program
  • \r\n
\r\n\r\n

What we’re looking for: 

\r\n\r\n
    \r\n\t
  • Due to the permanent nature of our Graduate roles, we can only accept applications from Citizens or Permanent Residents of Australia or New Zealand.
  • \r\n\t
  • Completed a degree within 24 months of the program start date (February 2026).
  • \r\n\t
  • Diversity in thought, skills, experiences, and cultural backgrounds; our diversity allows us to serve our communities better.
  • \r\n\t
  • Graduates with a broad range of degree disciplines – you don’t have to have studied property to work with us, we're proud to consider candidates from any degree background
  • \r\n\t
  • People who are inspired, motivated, passionate, respectful of others, and keen to make a meaningful impact through their work.
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

We create places and spaces full of energy, soul, and life - from Residential and Land Lease Communities, through to Retail Town Centres, Workplaces, and Logistics assets.

\r\n\r\n

Our commitment to people, country, and the planet is evident in what we do every day. That means a real devotion to sustainability, and an ever-evolving culture of inclusion and empowerment. Our National vision of Reconciliation imagines a future where all Australians are united by our shared respect for Aboriginal & Torres Strait Islander People and their Elders.

\r\n\r\n

Stockland has been a proud Reconciliation Action Plan partner since 2016, with a strong ESG strategy for delivery. Our culture of support, empowerment, development, and reward offers our Graduates a fulfilling experience. We are committed to continuously improving the diversity of our workforce and embracing an inclusive and culturally safe environment where diversity is a key driver of shared success for everyone. 

\r\n\r\n

If you’re energised by common purpose, excited by bold and visionary thinking, and motivated to learn and grow together with the best in the business then we’d love to hear from you. In return, we’ll invest in you, to support your career and your vision for your future.

\r\n\r\n

Next Steps:

\r\n\r\n

Register your interest in our 2026 Graduate Program to be notified when applications open! 

\r\n\r\n

We are committed to fostering an inclusive workplace, if you are a First Nations person and you would like to connect with our National Indigenous Engagement Team, please let us know. We're here to support you in any way we can.

\r\n\r\n

You can view all career opportunities available at Stockland careers page.

", - "company": { - "name": "Stockland", - "website": "https://au.prosple.com/graduate-employers/stockland", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ciyf5Pl35iio83kO7Ap6BO4C_FoxDZvRMNX54W_bRM4/1688960987/public/styles/scale_and_crop_center_80x80/public/2023-07/1688960984446_stockland_brandmark_stack_cmyk.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/stockland/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-10T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee380" - }, - "title": "Project Management Graduate Program", - "description": "

At BAE Systems Australia 

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

At BAE Systems Australia, we're not just offering a job; we're inviting you to be a part of something remarkable. 
\r\n
\r\nOur dynamic workplace is at the forefront of ground-breaking technology, delivering projects of global significance that keep Australia safe. 

\r\n\r\n

We take pride in fostering an inclusive and diverse culture that values the unique talents each graduate brings.

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions. 

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be due to complete your graduate studies in 2025 (or have already completed) a university degree qualification in an appropriate discipline. 

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity: 

\r\n\r\n

Embarking on the path of a Project Management graduate role is a thrilling adventure that promises a world of possibilities and professional growth. 

\r\n\r\n

This opportunity invites individuals with a passion for organisation and a knack for strategic thinking to step into the dynamic realm of project management. 

\r\n\r\n

This role not only provides a chance to apply theoretical knowledge in a real-world setting but also offers continuous learning and development, ensuring that you evolve into a proficient project leader. 

\r\n\r\n

Joining our team means becoming an essential part of a collaborative and forward-thinking environment, where your contributions will shape the success of diverse projects.

\r\n\r\n

This position is available in two options: Stream 1 (non-rotational) or Stream 2 (rotational), based in Osborne & Flinders St (SA), & Garden Island (NSW).

\r\n\r\n

For more information about our Graduate program and what is involved with each stream, please visit Graduate & Early Careers | BAE Systems | Australia

\r\n\r\n

What You'll Do

\r\n\r\n

As a Project Management Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Conceive, execute, integrate, test, and deliver projects with precision, managing diverse initiatives.
  • \r\n\t
  • Master project management tools and methodologies with finesse, utilising your analytical skills to oversee and optimise project workflows.
  • \r\n\t
  • Evaluate project solutions meticulously, selecting the ones that will set new standards and redefine best practices in the field of project management.
  • \r\n\t
  • Transform project plans into tangible results by leading planning, execution, and monitoring activities. Ensure that your projects are not only well-managed but also contribute to organisational success.
  • \r\n\t
  • Adhere rigorously to project management methodologies, ensuring adherence to timelines, budgets, and quality standards. Guarantee excellence at every stage of the project management process, from initiation to closure, showcasing your ability to lead successful projects from concept to completion.
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225881769&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/project-management-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-11T14:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee381" - }, - "title": "Graduate Pricing and Estimations Engineer", - "description": "

Start shaping your future career with Honeywell; Become a #FutureShaper

\r\n\r\n
    \r\n\t
  • Make an Impact.
  • \r\n\t
  • Make Real Connections.
  • \r\n\t
  • Make the Best You.
  • \r\n
\r\n\r\n

Working at Honeywell is not just creating incredible things. We have been at the center of industrial innovation for over a hundred years. Now, we’re bringing a digital-first, outcome-based approach to the next generation of megatrends.  You will have the opportunity to work with our talented and inclusive team of professionals and be part of a global team of future shapers.

\r\n\r\n

We have Graduate Pricing and Estimations Engineer opportunities available within Honeywell in Melbourne and Sydney.

\r\n\r\n

In choosing to shape your career with Honeywell you can expect:

\r\n\r\n
    \r\n\t
  • Immediate Impact: Dive into a real role from day one, gaining hands-on experience and making a meaningful contribution.
  • \r\n\t
  • Structured Growth: Benefit from a 2-year program that culminates in a permanent job with competitive remuneration.
  • \r\n\t
  • Guided Support: Receive personalised guidance with an assigned buddy in year one and a dedicated mentor in year two as well as participating in your Graduate Huddle Group
  • \r\n\t
  • Continuous Development: Embark on a graduate development journey to enhance your technical and leadership skills.
  • \r\n\t
  • Showcase Your Talents: Sharpen your communication and presentation skills through graduate presentations.
  • \r\n\t
  • Personalised Careers: Craft an individual development plan to shape your career journey with us.
  • \r\n
\r\n\r\n

Your role:

\r\n\r\n

Working as a member of the pricing and estimation team you will responsible for building solutions and pricing and costing Automation Technology solutions.

\r\n\r\n
    \r\n\t
  • Devising and building customer technology solutions and cost estimation for qualified customer opportunities.
  • \r\n\t
  • Calculating costs needed to meet bid specifications OR value engineered solutions.
  • \r\n\t
  • Making competitive comparisons and accurate estimates/costing.
  • \r\n\t
  • Seeking new and creative building automation solutions to address customer needs.
  • \r\n
\r\n\r\n

Skills and Experience

\r\n\r\n
    \r\n\t
  • Recent graduate (or graduate who will finish in the next 6 months) in engineering and software, such as Software Engineering, Computer Science, Mechatronics or Electrical Engineering with a credit average or above.
  • \r\n\t
  • Able to work well in a team to achieve results.
  • \r\n\t
  • Strong numerical aptitude and motivation to drive results.
  • \r\n
\r\n\r\n

We Value

\r\n\r\n
    \r\n\t
  • If you’re an engineer at heart who is passionate about using software and technology to solve real-world problems, then this is the role for you!
  • \r\n\t
  • Outstanding students who like taking initiative and working with others to get results.
  • \r\n\t
  • That you live and breathe software, and love to master new skills to solve complex and rewarding problems, then we want to hear from you!
  • \r\n
\r\n\r\n

Application Information

\r\n\r\n
    \r\n\t
  • Applications will close by Friday 31st January
  • \r\n\t
  • The anticipated start date would be March /April 2025
  • \r\n\t
  • Permanent Residency in Australia or New Zealand, or Citizenship is required.
  • \r\n\t
  • Successful candidates will be required to successfully complete pre-employment background and drug screening.
  • \r\n
\r\n\r\n

Discover More

\r\n\r\n

For more information visit our career page. Also, meet our graduates on our page.

\r\n\r\n

We’ve been innovating for more than 100 years and now we’re creating what’s next. There’s a lot more available for you to discover. Our solutions, our case studies, our #futureshapers, and so much more.

\r\n\r\n

If you believe what happens tomorrow is determined by what we do today, you’ll love working at Honeywell. 
\r\nThe future is what we make it. So, join us and let’s do this together.

\r\n\r\n

Honeywell is an equal-opportunity employer, and we support a diverse workforce. Qualified applicants will be considered without regard to age, race, creed, color, national origin, ancestry, marital status, affectional or sexual orientation, gender identity or expression, disability, nationality, sex, religion, or veteran status. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

", - "company": { - "name": "Honeywell Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/J6zf3SXyzRDFLBx9ol13gcVMMkjxsCgMOo7JfVezG2k/1564371375/public/styles/scale_and_crop_center_80x80/public/2019-05/Honeywell_Logo_0.png" - }, - "application_url": "https://honeywell.csod.com/ux/ats/careersite/1/home/requisition/477196?c=honeywell", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand/jobs-internships/graduate-pricing-and-estimations-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee382" - }, - "title": "People Operations Intern #GeneralInternship", - "description": "We're seeking 3 proactive and enthusiastic interns to join our team and gain hands-on experience in HR processes and systems.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/People-Operations-Intern-GeneralInternship-Sing/1056520766/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-people-operations-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee383" - }, - "title": "Graduate Backend Software Engineer, TikTok Live Revenue", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

At TikTok, our people are humble, intelligent, compassionate and creative. We create to inspire - for you, for us, and for more than 1 billion users on our platform. We lead with curiosity and aim for the highest, never shying away from taking calculated risks and embracing ambiguity as it comes. Here, the opportunities are limitless for those who dare to pursue bold ideas that exist just beyond the boundary of possibility. Join us and make impact happen with a career at TikTok.

\r\n\r\n

About TikTok Live Revenue Engineering Team

\r\n\r\n

TikTok Live revenue engineering team is responsible for building the cutting-edge revenue ecosystem which includes gifting and other revenue features that are innovative, secure and intuitive for our users. As an important member of the engineering team, you will build solutions that affect millions of users and live streamers.

\r\n\r\n

We are looking for passionate and talented engineers to join us to build up and optimize a real-time, high-performance, large-scale distributed infrastructure for live streaming at TikTok. We will be deeply involved in the developmental lifecycle of critical product features, and collaborate closely with product managers to deliver the best live streaming experience for live streamers and viewers.

\r\n\r\n

Responsibilities

\r\n\r\n

You will:

\r\n\r\n
    \r\n\t
  • Plan and lead large-scale technical projects to lay the foundation for the iterative development and scale of early products
  • \r\n\t
  • Develop robust, efficient technology products that serve 1 billion users
  • \r\n\t
  • Contribute to engineering strategy, tooling, processes, and culture
  • \r\n\t
  • Research and apply cutting-edge domain and technical knowledge into products
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline;
  • \r\n\t
  • Proficiency in designing data structures, building algorithms, and at least one programming language: Go/Python/PHP/C++/C/Java.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passionate and experience in challenging problem-solving techniques with related internet products;
  • \r\n\t
  • Curiosity towards new technologies and entrepreneurship, excellent communication and teamwork skills and high levels of creativity and quick problem-solving capabilities.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7373489530361563401?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer-tiktok-live-revenue-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee384" - }, - "title": "Graduate Software Development Engineer in Test (SDET)", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

The TikTok Live QA team has been focusing on the high quality and the best user experience of TikTok Live products. Our team uses advanced autotesting tools and comprehensive quality assurance methods to continuously control the delivery of products. We are looking for passionate SDET engineers to join this fast growing industry.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Be responsible for the entire system testing process for the client side, server side and web side of Live product, including but not limited to: analysis, designing and executing test plans and cases, and conducting defect tracking.
  • \r\n\t
  • Work closely with Developers, Product and Project Managers to test and validate new features with appropriate testing tools and testing protocols.
  • \r\n\t
  • Participate in project management, risk management, and process management tasks to improve the quality and efficiency of requirements delivery.
  • \r\n\t
  • Help implement test tools and collaborate with automation/performance test teams to build up internal tools/frameworks/platforms to make the team more productive.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Good computer foundation, familiar with Java/Python/Objective-C/Golang, experience in related project development.
  • \r\n\t
  • Abilities to design and execute complete testing plans for complex projects.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Familiar with web/server/automation architecture, understanding at least one application framework.
  • \r\n\t
  • Having systematic work experience in automated testing, performance testing, and quality system construction.
  • \r\n\t
  • Excellent problem solving skills, ability to coordinate with different local and global teams.
  • \r\n\t
  • Adapt well to changes, collaborate effectively with teams, and the ability to multitask on various projects.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7398436831145298202?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-software-development-engineer-in-test-sdet" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee385" - }, - "title": "Data & Analytics Graduate Program", - "description": "

Your Data & Analytics career awaits with FDM’s Graduate Program

\r\n\r\n

Are you ready to dive into one of the hottest fields in tech? Join FDM’s Graduate Program in our Data & Analytics Practice and gain future-shaping skills that will set you apart.

\r\n\r\n

A unique opportunity awaits

\r\n\r\n

FDM has partnered with some of Australia’s biggest brands to offer graduates the chance to work on cutting-edge data projects.

\r\n\r\n

Don’t miss out – apply now and kickstart your data journey!

\r\n\r\n

Why FDM?

\r\n\r\n

At FDM, you’ll work on impactful client assignments across industries ranging from banking & finance to insurance. From mastering SQL for data extraction to creating visual dashboards and participating in agile tech projects across the whole software development cycle, you'll gain hands-on experience in key data roles.

\r\n\r\n

Your path

\r\n\r\n

We welcome graduates from all backgrounds – no STEM experience needed! If you’re passionate about tech and data, we’ll provide the tools you need you succeed.

\r\n\r\n

Start with up to 6 weeks of upskilling, where you’ll build core capabilities and learn how to forecast, analyse and harness data. Our outcome-based assessments ensure you get further, faster. This is followed by Practice-based learning tailored to client needs. You could then take on roles such as Data Engineer, Machine Learning Engineer or Robotic Process Automation (RPA), with continuous upskilling and career development opportunities. 

\r\n\r\n

Where ambition meets opportunity

\r\n\r\n

At FDM, ambitious individuals thrive. With our Skills Lab, you’ll follow a dynamic career path, working on major projects with Australia’s leading companies.

\r\n\r\n

Ready to make an impact? Join us today!

\r\n\r\n

Benefits

\r\n\r\n
    \r\n\t
  • Full-time employment with a competitive salary   
  • \r\n\t
  • An initial upskilling course pre-assignment, facilitated by our expert coaches   
  • \r\n\t
  • Opportunity for entire FDM career journey development with ongoing coaching through our Skills Lab   
  • \r\n\t
  • Consultant Experience Team dedicated to your wellbeing, health and happiness    
  • \r\n\t
  • Opportunity to become a leading consultant in one of the most in-demand tech fields
  • \r\n\t
  • Option to join the FDM Buy As You Earn share scheme   
  • \r\n
\r\n\r\n

What we look for

\r\n\r\n
    \r\n\t
  • You hold a university degree (bachelor level or higher)
  • \r\n\t
  • Able to commit to completing our full 2.5-year graduate program   
  • \r\n\t
  • Strong problem-solving and analytical skills, paired with great communication and relationship-building skills   
  • \r\n\t
  • Eligibility to work in Australia (citizen or permanent resident)  
  • \r\n\t
  • Willing to relocate for client projects. Many are in Sydney and Melbourne! We offer a relocation package and connect you with fellow FDM Consultants.
  • \r\n
\r\n\r\n

We expect our consultants to attend the office for client assignments as required by the needs of the specific project you are working on . Currently, most client assignments have a hybrid working arrangement of between 3-5 days a week in the office with remainder from home, depending on the specific role.  

\r\n\r\n

About FDM   

\r\n\r\n

FDM powers the people behind tech and innovation. From spotting trends to finding exceptional talent, we're the go-to and business and technology consultancy for staying ahead.   

\r\n\r\n

With 30+ years’ experience, we discover, coach and mentor the self-starters, the bold thinkers and the go-getters from diverse backgrounds, connecting them with world-leading businesses. Collaborating with our client partners, we provide the expertise precisely when needed and guide our people to make career choices that lead to exponential growth.   

\r\n\r\n

FDM has 18 centres located across Asia-Pacific, North America, the UK and Europe. We have helped successfully launch over 25,000 careers globally to date and are a trusted partner to over 300 companies worldwide.    

\r\n\r\n

Dedicated to Diversity, Equity and Inclusion   

\r\n\r\n

FDM Group’s mission is to make tech and business careers accessible for everyone. Our diverse team of 90+ nationalities thrive on differences, fuels innovation through varied experiences and celebrates shared successes. As an Equal Opportunity Employer and listed on the FTSE4Good Index, FDM ensures every qualified applicant, regardless of race, colour, religion, sex, or any other status, gets the chance they deserve.   

", - "company": { - "name": "FDM Group Australia", - "website": "https://au.prosple.com/graduate-employers/fdm-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/nUWNDC8pjxPBgV-Kf3tNULfOmX4FnoUYdAWFUQgZexI/1714355207/public/styles/scale_and_crop_center_80x80/public/2024-04/1714355200857_FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/vacancy-apply.aspx?vacancyid=836&utm_source=gradaustralia&utm_medium=jobad&utm_campaign=grad_data_analytics&utm_content=aus_", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fdm-group-australia/jobs-internships/data-analytics-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee386" - }, - "title": "Graduate Software Developer", - "description": "

At TechnologyOne, we have one mission – transform business and make life simple for our customers. How do we do this? With the help of awesome people like YOU.  

\r\n\r\n

To help us accomplish our mission, we need people from all walks of life. We believe a vibrant, diverse and inclusive workforce is the way forward. As an industry leader in diversity, we strive to make TechOne an inclusive place to work for everyone. We run unconscious bias awareness programs, offer career resilience courses, run pay analysis to ensure equitable pay, as well as have several user groups dedicated to promoting diversity, including “Women as One” and “Ally at TechOne”. Philanthropic? TechOne has you covered! The TechOne Foundation is dedicated to lifting 500,000 children out of poverty. We do this with our “1% pledge” – 1% of time, product, and profit. By donating not only 1% of our company profit, but also our software, we are able to make an immediate and lasting impact with organisations around the world. TechnologyOne employees are also gifted 2.5 days each year to use towards volunteering at any of our registered charities.  

\r\n\r\n

No matter how you prefer to do it, TechnologyOne is set up to allow you to make an impact.   

\r\n\r\n

We are looking for a talented Graduate Software Developer to join our TechnologyOne and work within one of our many product teams.

\r\n\r\n

From your first day, you will be mentored by team members to grow your skillset and help revolutionise the ERP Software space and create insanely great, market-leading solutions that delight, amaze, and transform our customer’s business. 

\r\n\r\n

We are looking for someone to start on Jan 20, 2026

\r\n\r\n

About you… 

\r\n\r\n
    \r\n\t
  • Recently Graduated with your Bachelors, Masters, or PhD in a Software related field, on track to graduate by December 2024.
  • \r\n\t
  • Experience with .Net framework, .Net Core and C#
  • \r\n\t
  • You thrive on solving complex problems and enjoy a new challenge
  • \r\n\t
  • A desire to be an impactful Full-Stack Developer
  • \r\n
\r\n\r\n

We’re not expecting perfection, we’re looking for potential. If you haven’t ticked off all of the above yet, but want to, we strongly encourage you to submit your application. We can help you realise your potential. 

\r\n\r\n

What you'll be doing… 

\r\n\r\n
    \r\n\t
  • Grow your career and skillset under the guidance of a high-performing, collaborative team
  • \r\n\t
  • Developing a deep and ‘hands on’ understanding of the product: its features, functions, design and architecture to develop amazing code
  • \r\n\t
  • Performing analysis on business problems to develop smart solutions that make life simple for our customers
  • \r\n\t
  • Delivering exceptional bug free software
  • \r\n\t
  • Personally using and testing the software as it is being built to ensure it is of the highest quality and insanely great
  • \r\n
\r\n\r\n

Benefits… 

\r\n\r\n
    \r\n\t
  • Amazing events in our office such as Hack Days, celebrating and fundraising for our charitable Foundation, our Marvels and many more!
  • \r\n\t
  • Competitive remuneration packages
  • \r\n\t
  • Additional 2.5 days of annual leave dedicated to volunteering through our Foundation with some of our wonderful charity partners
  • \r\n\t
  • Meaningful initiatives to support your financial, physical and mental wellbeing
  • \r\n
\r\n\r\n

More about TechOne… 

\r\n\r\n

TechnologyOne (ASX:TNE) is Australia's largest enterprise software company and one of Australia's top 150 ASX-listed companies, with offices across six countries. We create solutions that transform business and make life simple for our customers. We do this by providing powerful, deeply integrated enterprise software that is incredibly easy to use. Over 1,200 leading corporations, government departments and statutory authorities are powered by our software.  

\r\n\r\n

We pride ourselves on providing our people with earned recognition through career progression, competitive salaries and a supportive environment. We double in size approximately every 4-5 years so career opportunities abound. Everything is about to change. Are you ready?  

", - "company": { - "name": "TechnologyOne", - "website": "https://au.prosple.com/graduate-employers/technologyone", - "logo": "https://connect-assets.prosple.com/cdn/ff/HpEravATXjbLU9CxxWBdE0j5-MkHrOdV0cU1gqJ-auc/1568619289/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-TechnologyOne-120x120-2019_0.jpg" - }, - "application_url": "https://tne.t1cloud.com/T1Default/CiAnywhere/Web/TNE/Public/Function/%24ORG.REC.EXAPN.WIZ/RECRUIT_EXT?suite=CES&token=092cc1f3-a3f6-4960-b00f-2471c4d2eca6", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/technologyone/jobs-internships/graduate-software-developer-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-26T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee387" - }, - "title": "Cybersecurity Internship Program", - "description": "

About the Role

\r\n\r\n

FTI Consulting is the global #1 expert firm for organisations facing crisis, transformation and moments of truth.  FTI Consulting's Cybersecurity practice is a global leading provider of independent cybersecurity services with core service offerings focused on:

\r\n\r\n
    \r\n\t
  • cyber readiness,
  • \r\n\t
  • cybersecurity incident response, and
  • \r\n\t
  • complex cybersecurity investigations and litigation.
  • \r\n
\r\n\r\n

As a Cybersecurity intern, you will assist in 

\r\n\r\n
    \r\n\t
  • the tactical execution of real client engagements, and
  • \r\n\t
  • the development of tools, material or frameworks for our practice to use in future cybersecurity engagements.
  • \r\n
\r\n\r\n

FTI Consulting offers both technical and non-technical cybersecurity services to our clients and is seeking candidates with both technical and non-technical backgrounds. 

\r\n\r\n

What a typical day will look like

\r\n\r\n
    \r\n\t
  • Assist with cybersecurity client engagements as needed and as directed, including but not limited to analysis (either technical or non-technical, or both, depending on your skills and preference) and reporting
  • \r\n\t
  • Complete at least one self-directed project to develop pre-agreed tools, material or frameworks for our practice to use in future engagements
  • \r\n\t
  • Shadow our experts on complex cybersecurity matters
  • \r\n
\r\n\r\n

What can you get out of your internship at FTI Consulting?

\r\n\r\n
    \r\n\t
  • Opportunities to work on important cybersecurity challenges that large enterprises and government clients in Australia and the Asia Pacific region are facing
  • \r\n\t
  • Mentoring and training from industry-leading cybersecurity Experts
  • \r\n\t
  • Consideration, subject to high performance and team-fit, for a graduate position following the completion of your degree
  • \r\n
\r\n\r\n

Who are we looking for? 

\r\n\r\n

Undergraduates in their penultimate or final year of Computer Science, Information Systems, Information Technology, Cybersecurity or an equivalent degree, with an existing passion for cybersecurity and a strong desire to build a career in the cybersecurity industry.

\r\n\r\n

What skills will help you to become our intern?

\r\n\r\n
    \r\n\t
  • Existing interest and passion for cybersecurity
  • \r\n\t
  • Strong academic record
  • \r\n\t
  • Strong work ethic, eagerness to learn, and motivation to succeed
  • \r\n\t
  • Ability to work both independently and as part of a team in a fast-paced, multi-task environment
  • \r\n\t
  • Ability to interface with team members and client personnel in demanding, deadline-driven situations
  • \r\n\t
  • Excellent communication (both written and verbal), and organisational skills
  • \r\n\t
  • Flexibility with respect to assigned tasks and engagements due to challenging deadlines, changing deliverables, evolving task priorities, and willingness to travel
  • \r\n\t
  • Proficiency with basic professional tools such as the Microsoft Office suite
  • \r\n
\r\n\r\n

Candidates that don't have some or all of the above-preferred requirements but who have a great attitude and are keen to develop their career in cybersecurity will be considered.

\r\n\r\n

Our practice does both technical and non-technical work for our clients; technical skills such as programming, computer networking and penetration testing will strengthen your application but are not required to be a strong non-technical candidate.

\r\n\r\n

How to Apply

\r\n\r\n

When applying, please include your updated resume and your most recent & relevant to the role academic transcript. Applications without a transcript are not considered.

\r\n\r\n

Pre-register now and get notified once the application opens!

\r\n\r\n

To find out more, visit our website.

", - "company": { - "name": "FTI Consulting", - "website": "https://au.prosple.com/graduate-employers/fti-consulting", - "logo": "https://connect-assets.prosple.com/cdn/ff/xUS78JM8G3CFbwn-sh4LmEuxMivolvQY1JbhpyHZ1Jc/1582074349/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-fti-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fti-consulting/jobs-internships/cybersecurity-internship-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-13T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee388" - }, - "title": "Secure Kernel Engineering Intern - Sydney", - "description": "

Your role

\r\n\r\n

Apple is seeking enthusiastic engineering students to work on Apple’s operating systems, including the kernel, runtime, and low-level system services. They work on core technology that powers Apple’s operating systems, including iOS, macOS, watchOS, and tvOS, as well as subsystems such as the Secure Enclave Processor OS.

\r\n\r\n

Description:

\r\n\r\n

Design and implementation of secure operating systems, including kernel, runtime, and system services. Work with multi-functional teams to bring up, test, debug, and verify software for new platforms and products. Contribute to security requirements and features for future hardware.

\r\n\r\n

About you

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Currently pursuing a Bachelor's or Master’s degree in computer science or a related field
  • \r\n\t
  • Background in operating systems development. This may include areas such as the kernel, low-level runtime, system services, driver frameworks, and component models.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Understanding of system construction principles in the context of a microkernel-based environment.
  • \r\n\t
  • Understanding of computer architecture - how CPUs, memory, caches, and interrupts behave in response to code running at the instruction level.
  • \r\n\t
  • Proficiency in languages commonly used in systems, such as C.
  • \r\n\t
  • Habitual practice of good software engineering principles, such as using type systems,
  • \r\n\t
  • identification and prevention of undefined behaviour, property-based testing, and formal verification. Keen eye for security flaws such as buffer overruns.
  • \r\n\t
  • Strong communication and collaboration skills, working within an established team and with people across different teams
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

At Apple, they make sure women earn the same as men performing similar work. As part of that effort, your salary history is history — they won’t ask. Every employee here also has the opportunity to become an Apple shareholder, because all are eligible for stock grants and also a discount when purchasing Apple stock. And to help you prepare for the unexpected, you’ll have the security of multiple forms of income protection.

\r\n\r\n

Apple also provides additional healthcare support and resources to supplement your coverage under Medicare. And because they know there’s more than one way to bring a new child into your family, Apple supports all kinds of new parents with paid leave and a gradual return-to-work program. You also get paid time away if you need to care for a seriously ill family member and free guidance to help you find childcare, aged care, legal referrals, and more.

\r\n\r\n

Training & development

\r\n\r\n

Come to Apple as an intern and you’ll be welcomed as a full contributor — a true part of the team — collaborating with some of the best minds in the world. Whether you sign on for a summer internship or a co-op during the academic year, you’ll do hands-on work on critical projects at an Apple campus. They're open to those enrolled full-time and pursuing a bachelor’s degree, master’s degree, or doctorate, in technical or non-technical fields, so you can apply what you’re studying now to your work as an Apple intern.

\r\n\r\n

To learn more, watch the video here.

\r\n\r\n

Source

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • apple.com/careers/
  • \r\n\t
  • apple.com/careers/au/benefits.html
  • \r\n
", - "company": { - "name": "Apple Australia", - "website": "https://au.prosple.com/graduate-employers/apple-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7w8GsPgwgzBXwmFmh7a2LTNdQNcj8nLcJX_6nuAjxVc/1648941092/public/styles/scale_and_crop_center_80x80/public/2022-04/1595530301220.jpg" - }, - "application_url": "https://jobs.apple.com/en-gb/details/200570852/secure-kernel-engineering-intern", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/apple-australia/jobs-internships/secure-kernel-engineering-intern-sydney" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee389" - }, - "title": "Software Development Engineer Graduate - Stores", - "description": "

Tips

\r\n\r\n
    \r\n\t
  • Study area: computer science, Information technology, Information systems, Software engineering, and related;
  • \r\n\t
  • Has graduated already, or will graduate from Nov/Dec 2024 to Feb 2025 (included);
  • \r\n\t
  • If a candidate has already started their career after graduation, 24 months of working experience is eligible, but not longer than that;
  • \r\n\t
  • Nice to have tech-related experience, both full-time and internship experience.
  • \r\n\t
  • Locations: Brisbane, QLD, AUS
  • \r\n
\r\n\r\n

Description

\r\n\r\n

Amazon’s Brisbane-based software engineering teams own the critical last hop in the outbound fulfilment of customer orders. The features you build have a direct impact on customers' lives. You will work with scientists and engineers to optimize fulfilment processes, reducing costs and improving quality. You will experiment with new ideas, turning the successful ones into full production systems whilst failing fast and learning from those that are not. We obsess over reducing the time and cost of fulfilling a customer's order.

\r\n\r\n

What we are looking for:

\r\n\r\n

We are a diverse workforce – our people bring many different experiences to our mission and many different types of leaders succeed here, but have a few things in common:

\r\n\r\n
    \r\n\t
  • High level of motivation with a drive to deliver results.
  • \r\n\t
  • Analytical acumen and a passion for solving problems (many of which are complex).
  • \r\n\t
  • Ability to make decisions in the face of ambiguity.
  • \r\n\t
  • A desire to experiment, innovate and learn from both successes and failures.
  • \r\n\t
  • Excellent communication skills: ability to work independently across all levels of the organisation, both locally and globally.
  • \r\n\t
  • Enjoyment for working as a team with a strong sense of ownership and personal achievement
  • \r\n
\r\n\r\n

Key job responsibilities:

\r\n\r\n

You will join a high-performing, learning-oriented, analytical team, motivated to over-achieve, have fun, and make history. You’ll help foster our culture of technical excellence and entrepreneurial customer obsession. It’s fair to say that no one day is the same – this position is perfect for someone who enjoys variety and problem-solving.

\r\n\r\n
    \r\n\t
  • Build cutting-edge and highly distributed systems to enable world-class, cost-effective, and flexible under-the-roof solutions.
  • \r\n\t
  • Create customer-facing software that’s used on Amazon sites worldwide
  • \r\n\t
  • Work on the A to Z of problems, at scale, for real customers.
  • \r\n\t
  • Own the development of software end to end, from working with stakeholders on requirements to owning the ongoing operations of the software that you build at scale.
  • \r\n
\r\n\r\n

Key Responsibilities include:

\r\n\r\n
    \r\n\t
  • Ability to code the right solutions starting with broadly defined problems,
  • \r\n\t
  • Understand basic Algorithm fundamentals
  • \r\n\t
  • Development of code in object-oriented languages like C++ and Java and build large scale robust distributed systems
  • \r\n
\r\n\r\n

We are open to hiring candidates to work out of one of the following locations:

\r\n\r\n
    \r\n\t
  • Brisbane, QLD, AUS
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Basic Qualifications:

\r\n\r\n

Candidates for this role must have:

\r\n\r\n
    \r\n\t
  • Completed a degree in Computer Science, Computer Engineering, or Information Technology at a university or relevant tertiary institution in the last 24 months.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience developing in a Linux environment
  • \r\n\t
  • Experience developing software on Amazon Web Services (AWS) platforms
  • \r\n
\r\n\r\n

Acknowledgement of country:

\r\n\r\n

In the spirit of reconciliation, Amazon acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

IDE statement:

\r\n\r\n

Amazon is committed to a diverse and inclusive workplace. Amazon is an equal opportunity employer and does not discriminate based on race, national origin, gender, gender identity, sexual orientation, disability, age, or other legally protected attributes.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://amazon.jobs/en/jobs/2751334/software-development-graduate-2025-stores", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/software-development-engineer-graduate-stores" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38a" - }, - "title": "Graduate Engineers, Health & Safety and IT", - "description": "

Our business provides integrated end-to-end asset life-cycle services to a broad range of industries across Australia, including Telecommunications, Water, Power, Gas, Industrial, Roads and Rail. We specialise in the design, construction, installation, operation and maintenance of critical infrastructure assets across these industries, keeping communities connected, safe and thriving.

\r\n\r\n

About the Program:

\r\n\r\n

We are excited to be offering opportunities for aspiring and talented Graduates looking to start their career in the essential services industry. At Service Stream, we focus on building your skills and capabilities during our 2-year program and beyond, through potential opportunities for ongoing roles and specialised development.

\r\n\r\n

What do we have to offer?

\r\n\r\n
    \r\n\t
  • Multiple job rotations – you will have the opportunity to work in different roles across different projects and business units.
  • \r\n\t
  • Formal Learning pathway- to build capability in professional and technical skills to excel in your career.
  • \r\n\t
  • Annual events - providing on the job experiences and exposure to various projects.
  • \r\n\t
  • Networking events – Meet and greets with our Executives as well as our business leaders, other Graduates, and Graduate Alumni.
  • \r\n\t
  • Support and guidance - through leadership support, a personal buddy, a dedicated graduate program team and mentoring opportunities.
  • \r\n
\r\n\r\n

As a Graduate you will have opportunities to work in many different areas of a project to really get the end to end experience and understand the project management lifestyle. This includes our corporate areas such as Health and Safety, Finance and Commercial etc.

\r\n\r\n

In return Service Stream has a fantastic range of employee benefits to thank our staff for the hard work and dedication they put in every day. Highlights include:

\r\n\r\n
    \r\n\t
  • Flexible Working - at Service Stream, all flexibility requests are genuinely considered. We want to work with you and your needs.
  • \r\n\t
  • Growth – We have lots of opportunities for growth and development.
  • \r\n\t
  • Discounts - We have lots of benefits - Join us and have full access to exclusive employee benefits and rewards, offering discounts at top retail and lifestyle companies in the market from The Iconic, Ikea, BCF, JBHiFi, Myer, AirBnb, Dan Murphys, Woolworths, Virgin Australia and many many more.
  • \r\n\t
  • Paid Leave - Our policies are designed with people in mind! We have a wide variety of Paid leave options from Purchased Leave, Parental leave, Cultural leave and more.
  • \r\n\t
  • Access - to our Corporate Novated Leasing, Accommodation and Private Healthcare offers.
  • \r\n
\r\n\r\n

About You:

\r\n\r\n

We are seeking motivated, reliable, and committed individuals to join the Service Stream Graduate Program.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Have completed a minimum three-year undergraduate degree within the last 5 years from a recognised university
  • \r\n\t
  • Be available to work full-time for the 2-year duration of the program from February 2026
  • \r\n\t
  • Possess a valid driver’s licence
  • \r\n\t
  • At time of application candidates must hold Australian/ New Zealand citizenship or PR
  • \r\n
\r\n\r\n

Opportunities:

\r\n\r\n

We currently have roles across all business units in the following disciplines:

\r\n\r\n
    \r\n\t
  • Engineering
  • \r\n\t
  • Finance
  • \r\n\t
  • IT
  • \r\n\t
  • HSEQ
  • \r\n
\r\n\r\n

Roles are based in various locations across around the country and the opportunity to relocate happens regularly, so we encourage applicants that are flexible and willing to relocate to apply.

\r\n\r\n

What you need to know:

\r\n\r\n
    \r\n\t
  • Service Stream is a project-based business; therefore, candidates must be prepared to relocate to regional areas and interstate when required
  • \r\n\t
  • Submit your resume, cover letter, academic transcript and proof of Australia residency or citizenship
  • \r\n\t
  • Interviews and subsequent offers will be concluded in July 2025
  • \r\n\t
  • Start your new role in February 2026
  • \r\n
\r\n\r\n

How To Apply:

\r\n\r\n

If you are interested in starting your career journey with Service Stream, we look forward to hearing from you. All applications must be submitted via the online application button and include the following:

\r\n\r\n
    \r\n\t
  • Relevant academic transcripts
  • \r\n\t
  • Up-to-date Resume
  • \r\n\t
  • Cover letter outlining the opportunity you are applying for and motivation to join Service Stream’s Graduate Program
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

Service Stream is an equal opportunity ASX-listed business that develops and operates Australia's essential services networks across telecommunications, utilities, transport, defence, and social infrastructure industries. Specialising in designing, constructing, and maintaining new and existing networks, we provide end-to-end engineering and asset management solutions for our blue-chip client base. Committed to fostering a workplace culture that values diversity and inclusion, Service Stream actively promotes the employment of Aboriginal and Torres Strait Islanders, people with disabilities, LGBTQI individuals, and other diverse groups. As a signatory to the Veterans Employment Commitment, we also value the skills and experience of ex-ADF members and their partners, strongly considering veterans who meet the key criteria for our employment opportunities

", - "company": { - "name": "Service Stream", - "website": "https://au.prosple.com/graduate-employers/service-stream", - "logo": "https://connect-assets.prosple.com/cdn/ff/HtP_GQhFPri52ZqfZni3uDwVpZHqSdjzUSzN6zPwgmM/1694415551/public/styles/scale_and_crop_center_80x80/public/2023-09/logo-service.png" - }, - "application_url": "https://servicestream.wd3.myworkdayjobs.com/ServiceStream_Careers/job/VIC---Melbourne/Graduate-Engineer_JR-112856", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/service-stream/jobs-internships/graduate-engineers-health-safety-and-it-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38b" - }, - "title": "Graduate Program - Business Stream", - "description": "

At Protiviti we care about our people and their careers. We promise all of our people: 

\r\n\r\n
    \r\n\t
  • Meaningful rewards and recognition including competitive remuneration, a transparent incentive compensation program (ICP) annual bonus structure, Anytime Awards and more
  • \r\n\t
  • Flexibility-first workplace offering flexible work arrangements and a hybrid work model
  • \r\n\t
  • Exceptional development opportunities including a structured global mobility program, international INNovation centres, off-site trainings, e-learning, certifications, reimbursement for professional memberships, paid study leave assistance and structured progression and promotion plan
  • \r\n\t
  • A global, collaborative and diverse workplace with opportunities to participate in local and international employee networks, initiatives and a personalised advisor program
  • \r\n\t
  • An opportunity to have an impact with clients working to improve communities locally and internationally, contribute to thought leadership and influence the future of work
  • \r\n\t
  • A commitment to our communities featuring an employee matching gift program, two annual paid days off for volunteerism and community philanthropy programs
  • \r\n\t
  • Generous benefits options including four weeks of annual leave, all standard holidays, MediBank health fund, long-service leave, ability to purchase additional annual leave, salary continuance insurance, paid parental leave, sabbatical program and more
  • \r\n
\r\n\r\n

Position:

\r\n\r\n

As a Graduate Consultant, you will get the opportunity to work across a multitude of industries and organisations. You will spend significant time with clients to understand their business problems and advise on processes gaps and improvement opportunities. This involves:

\r\n\r\n
    \r\n\t
  • Contributing to the planning and scoping stage of the project
  • \r\n\t
  • Documenting and forming a point of view on matters discussed in meetings
  • \r\n\t
  • Conducting fieldwork to understand the business problems
  • \r\n\t
  • Preparing findings and creating client deliverables
  • \r\n
\r\n\r\n

As Consultants progress in their careers, the focus shifts from gaining transferable experience to specialising in an industry or solution. We are committed to attracting and developing a diverse workforce of professionals that share the common value of collaboration. Protiviti's consulting solutions span critical business problems in Internal Audit and Financial Advisory and Risk and Compliance. Depending on client demand and staffing availability, you may gain exposure to projects across one or more of these consulting solutions:

\r\n\r\n

Internal Audit and Financial Advisory: Internal Audit and Financial Advisory (IAFA) is an independent assurance and consulting activity that improves an organisation’s operations by evaluating and improving risk management, controls and governance processes. A typical IAFA engagement will involve:

\r\n\r\n
    \r\n\t
  • Researching better practice and examining the efficacy of procedures
  • \r\n\t
  • Creating process maps to better visualise processes and suggest improvements
  • \r\n\t
  • Developing risk and controls matrices to understand how different business processes are governed
  • \r\n
\r\n\r\n

Risk and Compliance: Risk and Compliance (R&C) engagements aim to partner with management, board members and outside counsel to help organisations comply with regulatory requirements, respond to situations of non-compliance and improve the processes around information systems supporting Governance, Risk and Compliance (GRC). A typical Risk and compliance engagement will involve:

\r\n\r\n
    \r\n\t
  • Reviewing and assessing legislation and regulatory requirements
  • \r\n\t
  • Developing effective compliance monitoring solutions
  • \r\n\t
  • Assisting the client to take a disciplined approach in managing risks through a combination of assessments, process improvement and model validation and review
  • \r\n
\r\n\r\n

Business Performance Improvement (BPI): Incorporates elements from both internal audit and information technology, and sets out to review and uplift a business’ processes and procedures on a wide level to make genuine, value adding improvements. You will get to work in collaboration with the client, get to know their business and help identify areas where Protiviti can add real value and deliver change. 

\r\n\r\n

A typical Business Performance Improvement (BPI) engagement will involve: 

\r\n\r\n
    \r\n\t
  • Discovery and exploration (often stemming from our other service lines;
  • \r\n\t
  • Solution creation; and
  • \r\n\t
  • Solution delivery (including transition, change management and project management)
  • \r\n
\r\n\r\n

\"Protiviti\"

\r\n\r\n
 
\r\n\r\n

Position Requirements:

\r\n\r\n
    \r\n\t
  • Degree: Candidates pursuing a bachelor’s degree, MBA or master’s degree in a relevant discipline (e.g., Business, Accounting, Finance, Economics, MIS or Computer Science)
  • \r\n\t
  • Work Rights: Must be a current Australian or New Zealand Citizen or Permanent Resident holder.
  • \r\n\t
  • Graduate Status: Must be in the final year of a university course
  • \r\n\t
  • Ability to Travel: The position requires travel to client sites. Out-of-town travel also may be required
  • \r\n
\r\n\r\n

If you are excited about this role but not sure you meet all the requirements, please apply anyway and we’ll be happy to consider you for this and/or any other suitable role

", - "company": { - "name": "Protiviti", - "website": "https://au.prosple.com/graduate-employers/protiviti", - "logo": "https://connect-assets.prosple.com/cdn/ff/46l4-bPyg6BRnJyBvN3lEpMrYASoCsojs7u4P0CBdtU/1720070028/public/styles/scale_and_crop_center_80x80/public/2024-07/logo-protiviti-480x480-2024.jpg" - }, - "application_url": "https://learnmore.protiviti.com/AusGradrecruitmentEOI2023#xd_co_f=MzMyM2NlM2ItZDgyZS00OWEyLTlhOGYtNWQyMThjMmVhODc2~", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/protiviti/jobs-internships/graduate-program-business-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:21:02.984Z" - }, - "updated_at": { - "$date": "2025-01-18T08:21:02.984Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38c" - }, - "title": "Policy, Legal and Advice Graduate Program", - "description": "

What it does: Regulates the financial services industry
\r\nStaff stats: Around 820
\r\nThe good bits: A job like no other - Unique, Interesting work. Ability to meet top executives across the industry. A role where you can give back, and have a positive impact on the Australian financial system. A rotational program where you can influence your journey. Develop yourself both technically and personally, in a culture that cares. 
\r\nThe not-so-good bits: We need to be mindful being Government, and reputational risk, so there are a number of meetings before we finalise our work. Potentially not as many ‘perks' as private sector roles.
\r\nHiring grads with degrees in: Commerce, Actuarial, Engineering, Mathematics, STEM, IT & Computer Sciences; Finance, Accounting, Economics & Business Administration; Humanities, Arts & Social Sciences; Law & Legal Studies 

\r\n\r\n

What to expect

\r\n\r\n

The APRA Graduate Program is one of the most in-depth and diverse in the financial services industry.

\r\n\r\n

Our Graduate Program runs for 15 months. During this time you will complete three five-month rotations across a number of our teams including frontline supervision, risk, policy and advice, or data analytics. This program gives you the opportunity to build the core foundations of prudential regulation.

\r\n\r\n

Alongside these rotations, you will be supported by an in-depth learning and development program, including access to an extensive range of in-house training programs. These are designed to support you to grow your technical and personal capabilities and help jump-start your career as a financial professional.

\r\n\r\n

Professional development is ongoing throughout your career with us. In fact, professional development is an integral part of ensuring we maintain our excellence as a regulator. As one of our graduates, you’ll benefit from:

\r\n\r\n
    \r\n\t
  • Being assigned a buddy - who is a graduate from the year before, and is fresh with understanding the challenges of being a graduate at APRA.
  • \r\n\t
  • Support from a number of managers – who manage you on each of your rotations, as well as a manager to support you for the duration of the Graduate Program.
  • \r\n\t
  • Working as part of an APRA team from the start.
  • \r\n
\r\n\r\n

At the end of your Graduate Program, you will remain an employee of APRA and have the opportunity to drive your career in any of APRA's core functions, including specialist areas.

\r\n\r\n

Graduate placements will be available in our Sydney, Melbourne and Brisbane offices.

\r\n\r\n

You can watch a series of videos featuring past graduates who share their experience being involved in the APRA Graduate Program.

\r\n\r\n

The Australian Prudential Regulation story

\r\n\r\n

Following the privatisation and deregulation binge of the 1980s and early 1990s, the Federal Government established the Financial System Inquiry in 1996. It was tasked with proposing a regulatory system that would ensure an “efficient, responsive, competitive and flexible financial system to underpin stronger economic performance, consistent with financial stability, prudence, integrity and fairness”. (Previously Australia’s financial services industry was regulated by the Australian Financial Institutions Commission, Insurance and Superannuation Commission and Reserve Bank.)

\r\n\r\n

The Financial System Inquiry recommended a statutory authority of the Federal Government be set up to oversee banks, building societies, credit unions, friendly societies, insurance companies and the superannuation industry.

\r\n\r\n

On July 1 1998, the Australian Prudential Regulation Authority (commonly referred to as APRA) was established to do exactly this. Ever since, it has supervised institutions holding assets for Australian bank customers, insurance policyholders and super fund members. With considerable success across two decades, APRA has ensured those entities that make up the financial services industry remain financially sound and able to meet their obligations to their clients.   

\r\n\r\n

Our vision

\r\n\r\n

In order to reflect APRA's forward-looking philosophy, our Vision is focused on two strategic themes: Protected today and prepared for tomorrow.

\r\n\r\n

Our values

\r\n\r\n

Our values underpin the critical role we play in protecting the financial well-being of the Australian community. Our values were selected to help everyone at APRA to achieve the high standards necessary for us to protect the financial well-being of the Australian community. In our work and in our interactions with others, we seek to demonstrate:

\r\n\r\n
    \r\n\t
  • Integrity – we act without bias, are balanced in the use of our powers, and deliver on our commitments.
  • \r\n\t
  • Collaboration – we actively seek out and encourage diverse points of view, to produce well-founded decisions
  • \r\n\t
  • Accountability – we are open to challenge and scrutiny, and take responsibility for our actions
  • \r\n\t
  • Respect – we are always respectful of others, and their opinions and ideas
  • \r\n\t
  • Excellence – we maintain high standards of quality and professionalism in all that we do
  • \r\n
\r\n\r\n

Working and acting in these ways helps us achieve the high standards necessary for us to protect the financial well-being of the Australian community. Our supervisory approach is forward-looking, primarily risk-based, consultative, consistent and in line with international best practices. This approach also recognises that management and boards of supervised institutions are primarily responsible for financial soundness.

\r\n\r\n

The culture

\r\n\r\n

APRA’s workplace diversity strategy “takes a pro-active and innovative approach in creating a flexible and inclusive employment environment that values and utilises the contribution of people of different backgrounds, experiences, perspectives and abilities”. APRA offers an extensive range of flexible work arrangements to allow staff to meet family and other commitments.

\r\n\r\n

Social contribution

\r\n\r\n

APRA staff play a vital role in protecting the financial well-being of almost every Australian citizen by overseeing around $8 trillion of bank deposits, super contributions and insurance premiums. APRA also has a workplace-giving scheme that allows donations to be taken directly from an employee’s salary. 

\r\n\r\n

The vibe of the place

\r\n\r\n

APRA combines most of the good aspects of the public and private sectors. Staff are well looked after but also get to enjoy a good work-life balance and an enviable degree of job security. While a clear hierarchy exists, those at the top of it are approachable. There are lots of social events and staff often go out for social occasions at the end of the working day.

\r\n\r\n

The recruitment process

\r\n\r\n

APRA recruits graduates who’ve achieved at least a minimum credit average in, but not limited to a discipline. Graduates from the following degrees are generally attracted to apply: actuarial studies, commerce, economics, econometrics, finance, financial modelling, law, mathematics, Engineering, public policy and statistics. Those from other disciplines may be considered if they are high achievers with impressive research and analytical skills. The grad program will be only available at APRA’s Sydney, Brisbane and Melbourne offices.

\r\n\r\n

Applications open: February - April Annually, and at times an additional recruitment round can be opened throughout the year. If you are interested to keep in contact, register your interest by clicking the pre-register button below

\r\n\r\n
    \r\n\t
  1. Apply online (February - April)
  2. \r\n\t
  3. Psychometric assessment (April)
  4. \r\n\t
  5. Assessment Centre (3 hours) (May)
  6. \r\n\t
  7. Final interview (In person in Brisbane, Sydney, Melbourne or virtually) (June)
  8. \r\n\t
  9. Reference check (June -July)
  10. \r\n\t
  11. Offer or Merit List (July onwards)
  12. \r\n
\r\n\r\n

Each year we often see many fabulous graduates, more than we can offer. In this instance, we inform some applicants that they are on a ‘Merit’ list. APRA uses this list should APRA increase the graduate program intake number or a graduate withdraws from the program. We also look to the Merit list before opening up a new recruitment campaign and we will keep you updated for the next 6 months regarding graduate-level opportunities across APRA. 

\r\n\r\n

Remuneration

\r\n\r\n

APRA’s funding is provided by the industry it regulates rather than the taxpayer, and it offers unusually lavish benefits for a public-sector employer. 

\r\n\r\n

APRA's graduate starting salary is $85,000 inclusive of superannuation. APRA is focused on intensively building your capabilities, and through capability growth, on average, graduate salaries have increased 10% annually for the first few years of your career. APRA is dedicated to investing in early talent and reviews salaries comparatively with external and internal salary data. 

\r\n\r\n

Our employees enjoy a range of benefits including working in a flexible, inclusive and diverse environment.

\r\n\r\n

Some benefits offered to employees include:

\r\n\r\n
    \r\n\t
  • Health and well-being checks
  • \r\n\t
  • Annual flu vaccinations
  • \r\n\t
  • Employee Assistance Program (professional and confidential counselling sessions for employees and their immediate families)
  • \r\n\t
  • Wellbeing Ambassador network
  • \r\n\t
  • Ergonomic workstations
  • \r\n\t
  • Regular social events
  • \r\n\t
  • Subsidised corporate team sports, running events and pedometer challenge
  • \r\n\t
  • Discounted gym memberships
  • \r\n
\r\n\r\n

Career prospects

\r\n\r\n

After finishing the grad program, we will work with you to find a team that you wish to join permanently. In joining that team, you will be promoted to the role of Analyst. APRA promotes employees on capability growth, so your path and progression are your own, following the graduate program.  You do not have to stay in a role level for a period of time before progression. APRA encourages open and honest discussions between the employee and their manager. We have numerous training courses to strengthen your skills, both personally and technically. APRA is focused on encouraging mobility; therefore you can move across teams as opportunities become available, or an opportunity to be seconded to another agency such as the RBA, ASIC, Treasury or the like. 

", - "company": { - "name": "Australian Prudential Regulation Authority (APRA)", - "website": "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra", - "logo": "https://connect-assets.prosple.com/cdn/ff/8VphHDM-cMSaiNZC9WiFCP5Y7IbPVTVuO34cEtfyOew/1708482025/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-apra-480x480-2024.jpg" - }, - "application_url": "https://2025graduateprogram-apra.pushapply.com/login?utm_source=prosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra/jobs-internships/policy-legal-and-advice-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38d" - }, - "title": "Recruitment Consultant - Regulatory & Legal", - "description": "Larson Maddox is a specialist talent partner securing professionals to help solve regulatory and legal challenges. Our team are talent specialists dedicated to supporting their specific industries including Financial Services, Life Sciences, Consumer Goods, Technology, Manufacturing, Energy...", - "company": { - "name": "Phaidon International Hong Kong", - "website": "https://au.gradconnection.com/employers/phaidon-international-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/fcbb7064-1383-4338-b29b-d083a8dd1630-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-hk/jobs/phaidon-international-hong-kong-recruitment-consultant-regulatory-legal-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38e" - }, - "title": "Graduate Product Designer", - "description": "

Product designers help shape our products. We understand how people use Xero, then we work with cross-disciplinary teams to build the most delightful and effective experiences. 

\r\n\r\n

We think about the entire Xero experience, from tiny interface details to making our customers' lives better. We’re interested in how someone uses a design, not just the look of a button or screen.

\r\n\r\n

As a graduate product designer, you’ll be responsible for designing the interface architecture, workflow, and visual design of our product. 

\r\n\r\n

The product design team challenges assumptions and ideas to make the software helpful and easy to use. We work through ideas and designs with customers, engineers, researchers, writers, and product managers, and we prototype experiences quickly.

\r\n\r\n

What we’d like to see from you

\r\n\r\n

You’ll be a great listener and able to put yourself in other people’s shoes. You’ll have an analytical side and a knack for crafting beautiful user experiences.

\r\n\r\n

We’re looking for applicants with a design degree, including digital, visual communications, graphic, industrial, interaction, and media design.

\r\n\r\n

Ideally, you’ll:

\r\n\r\n
    \r\n\t
  • be an excellent communicator and team player
  • \r\n\t
  • be a problem solver who can take a logical, analytical approach while being user-focused
  • \r\n\t
  • be a creative, agile, motivated and passionate person.
  • \r\n\t
  • like to question the status quo and take initiative
  • \r\n
\r\n\r\n

Why Xero?

\r\n\r\n

At Xero, we support many types of flexible working arrangements that allow you to balance your work, your life and your passions. We offer a great remuneration package including shares plus a range of leave options to suit your well-being. Our work environment encourages continuous improvement and career development and you’ll get to work with the latest technology.  

\r\n\r\n

Our collaborative and inclusive culture is one we’re immensely proud of. We know that a diverse workforce is a strength that enables businesses, including ours, to better understand and serve customers, attract top talent and innovate successfully. We are a member of Pride in Diversity, in recognition of our inclusive workplace. So, from the moment you step through our doors, you’ll feel welcome and supported to do the best work of your life.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Xero Australia", - "website": "https://au.prosple.com/graduate-employers/xero-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/KVaT4twSLI6xmGq9GgeTi6jKK_xWDbKN4mpISIUzHeQ/1710820238/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-xero-480x480-2024.jpg" - }, - "application_url": "https://jobs.lever.co/xero/7455701d-0dea-42d7-964a-c45e20cc7918", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/xero-australia/jobs-internships/graduate-product-designer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee38f" - }, - "title": "Property Database Analyst", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Manage and extract data from the CRM database.
  • \r\n\t
  • Analyze and interpret data to identify market trends.
  • \r\n\t
  • Update CRM to ensure accurate property information.
  • \r\n\t
  • Track and analyze South Sydney property market transactions.
  • \r\n\t
  • Present analysis and updates to the team as needed.
  • \r\n\t
  • Innovate communication methods for data and analysis.
  • \r\n\t
  • Provide content for submissions and client presentations.
  • \r\n\t
  • Develop and maintain system processes and targeted mailing lists.
  • \r\n\t
  • Assist with tracking and logging team inquiries.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A proactive approach with self-management skills.
  • \r\n\t
  • Strong communication and organizational abilities.
  • \r\n\t
  • Meticulous attention to detail.
  • \r\n\t
  • Ability to meet short deadlines while maintaining accuracy.
  • \r\n\t
  • Advanced skills in MS Excel, Word, and PowerPoint.
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

Gain experience in a leading global real estate firm with opportunities to take ownership and build key business tools.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within a successful team, contributing to key initiatives with exposure to stakeholders.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your cover letter.

\r\n\r\n

Report this job 

", - "company": { - "name": "Colliers International", - "website": "https://au.prosple.com/graduate-employers/colliers-international", - "logo": "https://connect-assets.prosple.com/cdn/ff/Nm2l69Hh_3NIzQ7AaPv6XkbHqAKJPoecfWWjVbgc804/1620695765/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-colliers-international-120x120-2021.jpg" - }, - "application_url": "https://careers.colliers.com/job/property-database-analyst-in-mascot-australia-jid-1577", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/colliers-international/jobs-internships/property-database-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "IT & Computer Science", - "Property & Built Environment" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee390" - }, - "title": "Data Analytics Graduate Program", - "description": "

Think beyond.

\r\n\r\n

Join KordaMentha where you can make a real difference from day one.

\r\n\r\n

Through our award-winning graduate program, customise your career pathway. Forget the standard rotational program and start immediately in one of our specialist areas. With opportunities to work on interesting and varied engagements, all doors are open to help you shape your journey. Experience tailored support, expert mentoring, study assistance and training and the freedom to achieve your career goals.

\r\n\r\n

Thrive in an environment where respect, well-being, inclusion and integrity are central. You will join a supportive team, committed to enhancing diversity and celebrating differences. Through regular events and activities, you will foster connections and have opportunities to make a positive impact in your community.

\r\n\r\n

Whatever your passion, create your career path with KordaMentha.

\r\n\r\n

Data Analytics- graduates

\r\n\r\n

Applications are now open to join our Data Analytics teams in our Forensic group for the 2025 Graduate Program intake.

\r\n\r\n

Data analytics is a collection of powerful tools for organisations to generate increased business value and drive deeper business insights. Leveraging sophisticated technology and algorithms, we demystify data, enable dynamic future projections and assist to transform the insights into meaningful action and growth.

\r\n\r\n

Working alongside our Data Analytics specialists, this is your opportunity to help uncover, analyse and clarify facts at the centre of some of the highest-profile disputes, investigations and other sensitive matters across the Asia-Pacific region.

\r\n\r\n

What you'll be doing

\r\n\r\n

As a graduate of our Data Analytics graduate, the team you will have the chance to learn from some of the best in the business and gain skills from programs you have only touched on at uni. You will be involved across a wide variety of teams with data analytic services including investigations, legal disputes, consulting and corporate recovery. This will involve the analysis of large data sets from various data sources including financial and operational systems.

\r\n\r\n

About you

\r\n\r\n

You will be a recent graduate or student in your final year of study and will have:a bachelor's degree with strong academic results, in either Information Technology, Data Analytics, Computer Science or Accounting

\r\n\r\n
    \r\n\t
  • strong data analysis and problem-solving skills with the ability to interpret findings or identify key data insights;
  • \r\n\t
  • a piece of wide database knowledge and a working understanding of database construction/ schemas;
  • \r\n\t
  • ability to work with, generate and conceptualise data visualisations and data dashboards using visualisation tools;
  • \r\n\t
  • a willingness to learn from the experienced professionals in the team
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only)
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://kordamentha.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=768008", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/data-analytics-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee391" - }, - "title": "Vacation Student - Information Technology VIC", - "description": "

Shape your career by joining Alcoa’s Vacation Student program! 

\r\n\r\n

Based in Victoria at our Portland Aluminium Smelter, this is your opportunity to help shape the future of sustainability with world-changing innovations and low-carbon technologies.

\r\n\r\n

Become a valued part of the team that’s reinventing the aluminium industry for a sustainable future, revolutionising the way the world lives, builds, moves and flies. 

\r\n\r\n

About the role

\r\n\r\n

Shape your potential with a 12-week paid summer placement as an Information Technology Vacation Student where you'll experience professional growth, technical expansion, and become an integral part of our vibrant community, where inspiration and daily challenges await.

\r\n\r\n

What’s on offer?

\r\n\r\n
    \r\n\t
  • Exposure to industry and a future career at Alcoa.
  • \r\n\t
  • An attractive hourly rate of pay for the hours you work.
  • \r\n\t
  • Meaningful project work that provides you with valuable hands-on work experience
  • \r\n\t
  • Working locally, in an onsite environment enabling you to return home to friends or family every night.
  • \r\n\t
  • Inclusion and diversity networks; shaping a culture where everyone is welcome, respected and heard.
  • \r\n\t
  • Be part of our commitment to sustainability, delivering world class technology and innovations that lead the aluminium industry!
  • \r\n\t
  • A workplace culture that strongly values your safety.
  • \r\n\t
  • Increased opportunity to gain a place in the Alcoa Graduate Program after you have completed your degree.
  • \r\n
\r\n\r\n

What you’ll be doing

\r\n\r\n

As an Information Technology Vacation Student at Alcoa, you will be:

\r\n\r\n
    \r\n\t
  • Learn a variety of standard tools and applications to improve process computing systems that enhance the process control experience.
  • \r\n\t
  • Working on several discreet projects to improve communication between IT Process Systems and Operations.
  • \r\n\t
  • Involved in an infrastructure replacement project, supporting the team to build replacement servers for the process network.
  • \r\n
\r\n\r\n

If you are currently studying tertiary qualifications in Information Technology, Engineering with an IT interest, or a related discipline, we want to hear from you!

\r\n\r\n

About you

\r\n\r\n

We are interested in hearing from curious university students who are: 

\r\n\r\n
    \r\n\t
  • Ideally, in their penultimate year of study, however we do accept applications across all year groups.
  • \r\n\t
  • Self-motivated and passionate for their chosen discipline, eager to learn and expand their knowledge.
  • \r\n\t
  • Capable of working independently with the ability to communicate and engage with multiple stakeholders to obtain a project outcome.
  • \r\n\t
  • Strong team players with effective time management, organisational and problem-solving skills.
  • \r\n\t
  • Available to commence end of November 2024 for a full-time 12-week period ending February 2025.
  • \r\n\t
  • Have the ability to travel to and from the Portland Smelter each work day.
  • \r\n
\r\n\r\n

Application and Recruitment process

\r\n\r\n
    \r\n\t
  • Submit your online application via the link provided or the Alcoa Careers website, and include a cover letter, resume and academic transcript.
  • \r\n\t
  • Shortlisted candidates will be asked to complete:\r\n\t
      \r\n\t\t
    • A short online video interview.
    • \r\n\t\t
    • Psychometric testing
    • \r\n\t\t
    • Reference checking
    • \r\n\t\t
    • Pre-employment medical assessment
    • \r\n\t
    \r\n\t
  • \r\n
", - "company": { - "name": "Alcoa Australia", - "website": "https://au.prosple.com/graduate-employers/alcoa-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Z3OEr2QOD9Lq4W35QmrxQCcSvrY9DvbXL_o9S_ws62E/1568368755/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-alcoa-120x120-2019.jpg" - }, - "application_url": "https://alcoa.wd5.myworkdayjobs.com/Careers/job/Australia-VIC-Portland/Vacation-Student---Information-Technology--VIC-_Req-25746", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/alcoa-australia/jobs-internships/vacation-student-information-technology-vic" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-05-30T16:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee392" - }, - "title": "International Relations, Cyber & National Security Graduate Program", - "description": "

If you have recently graduated in International Relations, Cyber, or National Security at university then we want you to apply for the Department of the Prime Minister and Cabinet (PM&C) Graduate Program. PM&C will give you the opportunity to work across an exciting and broad range of areas that aren’t available anywhere else – it’s a mini public service rolled into one! If you’re keen to explore a broad range of opportunities, then there’s no better place to start your career.

\r\n\r\n

What we provide 

\r\n\r\n
    \r\n\t
  • 12-month, multiple award-winning graduate program where you choose where you go
  • \r\n\t
  • Excellent support including mentors, buddies, and networking opportunities to connect with countless business areas
  • \r\n\t
  • A starting APS3 salary of $77086 + 15.4% superannuation and potential advancement after 6 months to the APS4 salary
  • \r\n\t
  • Inspiring and diverse work opportunities so that you can tailor your program to suit your goals
  • \r\n\t
  • Work-life balance including flexible working-from-home arrangements and generous leave entitlements
  • \r\n\t
  • Career progression to a permanent placement of your choice and the possibility of future promotion
  • \r\n\t
  • Generous relocation package to support your move to Canberra
  • \r\n\t
  • A work culture that respects opinions and fosters inclusion and diversity
  • \r\n
\r\n\r\n

What you’ll do   

\r\n\r\n

As a graduate specialising in International Relations, Cyber, or National Security there is no better place for you than the PM&C Graduate Program. You will work across a broad range of high-priority, cross-cutting issues that will include dis/misinformation, social cohesion, space technology, foreign investment, and protecting critical infrastructure vital to Australia’s economic and social stability.  You will also support the Prime Minister and PM&C senior officials by providing advice on Defence's capability acquisitions across land, air, space, cyber, and ICT domains. Being exposed to so many specialist areas you will have the chance to: 

\r\n\r\n
    \r\n\t
  • Prepare policy advice on complex and important foreign policy issues
  • \r\n\t
  • Support the Prime Minister’s engagement with key foreign leaders in North and South Asia including India, Japan, and the Republic of Korea
  • \r\n\t
  • Consider options to confront pressing Indo‑Pacific challenges including economic coercion, international debt, banking, and telecommunications in the Pacific
  • \r\n\t
  • Tackle critical challenges demanding international cooperation, including climate change, cyber security, and critical and emerging technology
  • \r\n\t
  • Assist to deliver a successful Quad Leaders’ Summit
  • \r\n\t
  • Coordinate and drive the trilateral security partnership AUKUS (Australia, the United Kingdom, and the United States) in close partnership with Defence and DFAT
  • \r\n
\r\n\r\n

Who you are  

\r\n\r\n

PM&C looks for graduates from across a variety of academic disciplines with diverse experiences and backgrounds. We are looking for people who enjoy working in a fast-paced and challenging environment and enjoy adapting to new circumstances and priorities as the Prime Minister delivers them. 

\r\n\r\n

To succeed in our program, you need to be curious, motivated, and driven to make a difference in the future of our country. You will work both independently and as part of a team, enjoy problem-solving, collaborating and offer innovative and creative thinking, approaches, and insights. 

\r\n\r\n

Who can apply?

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last eight years or be in your final year of study.  

\r\n\r\n

The program starts in February 2026 and you must be willing to relocate to Canberra. You must be an Australian citizen and willing to undergo police, character, and health checks as required.

\r\n\r\n

Please note that applications close at 10 am on April 15

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like the perfect opportunity for you, we encourage you to register today. 

\r\n\r\n

To find out more, please visit our website.

", - "company": { - "name": "Department of the Prime Minister and Cabinet (PM&C)", - "website": "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc", - "logo": "https://connect-assets.prosple.com/cdn/ff/002Krmte2Gl0icZ8vMMY-chk_XC9Fd9xAi3hOHvpLCg/1734941353/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-dep-of-prime-minister-480x480-2024.jpg" - }, - "application_url": "https://dpmc.nga.net.au/cp/?AudienceTypeCode=EXT", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc/jobs-internships/international-relations-cyber-national-security-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee393" - }, - "title": "2025 Software Development Engineer, Ads Core Services - Graduate (Melbourne)", - "description": "Amazon Advertising Core Services (ACS) is looking for passionate Graduate Software Development Engineer (SDE) to join our Melbourne team ASAP", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://www.amazon.jobs/en/jobs/2852628/software-development-graduate-2025-melbourne-ads-core-services", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-software-development-engineer-ads-core-services-graduate-melbourne" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T05:20:00.000Z" - }, - "locations": ["VIC"], - "study_fields": [ - "Computer Science", - "Engineering - Software", - "Information Technology" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee394" - }, - "title": "Backend Engineer Intern, TikTok LIVE Growth", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About TikTok Live Revenue Engineering Team

\r\n\r\n

TikTok Live revenue engineering team is responsible for building the cutting-edge revenue ecosystem which includes gifting and other revenue features that are innovative, secure and intuitive for our users. As an important member of the engineering team, you will build solutions that affect millions of users and live streamers.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.
\r\nApplications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n

You will:

\r\n\r\n
    \r\n\t
  • Plan and lead large-scale technical projects to lay the foundation for the iterative development and scale of early products
  • \r\n\t
  • Develop robust, efficient technology products that serve 1 billion users
  • \r\n\t
  • Contribute to engineering strategy, tooling, processes, and culture
  • \r\n\t
  • Research and apply cutting-edge domain and technical knowledge into products
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Experience in building backend services for large-scale consumer-facing applications
  • \r\n\t
  • Proficient in at least one of the following languages: Go, Python, Java, C++
  • \r\n\t
  • Deep understanding of computer architectures, data structures and algorithms
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good communication and team collaboration skills
  • \r\n\t
  • Prior internship experience in building backend services for large-scale consumer-facing applications is a plus
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7413652902340053285?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-engineer-intern-tiktok-live-growth-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee395" - }, - "title": "Graduate Project Coordinator", - "description": "

Award winning Graduate Program

\r\n\r\n

Leidos Australia has been identified as a Top 100 Graduate Employer in Australia for the forth year in a row, and again ranked in the Top 5 for the Defence and Aerospace sector for the third year in a row by Prosple - So what makes our graduate program award winning?

\r\n\r\n
    \r\n\t
  • As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program.
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in.
  • \r\n\t
  • You will attend a graduate specific induction along with monthly graduate catch ups as an opportunity to build connections internally and to learn more about the business.
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Leidos Benefits

\r\n\r\n
    \r\n\t
  • Access to over 100,000 online training and development courses through our the technical training portal Percipio.
  • \r\n\t
  • Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities and the Defence & Emergency Services.
  • \r\n\t
  • Entitlement to one day a year of volunteer leave to support a cause you’re passionate about.
  • \r\n\t
  • Leidos is a family friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for an alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests.
  • \r\n\t
  • Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers.
  • \r\n
\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees globally support vital missions for government and commercial customers.

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Led by a local leadership team, we deliver projects and services through five lines of business – Airborne Solutions, Civil Services & Projects, Defence Digital Solutions & Support, Defence Mission Systems and Intelligence (C4ISR) – supported by local corporate functions.

\r\n\r\n

Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ local workforce, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises.

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Project Coordinator could include a wide range of activities including:

\r\n\r\n
    \r\n\t
  • Using your verbal and written communication skills to liaise between project management, the project team and line management.
  • \r\n\t
  • Assisting with the operational aspects of ongoing projects.
  • \r\n\t
  • Contributing to reviewing projects as they occur, such as the project budget and schedule, and helping to prepare status reports.
  • \r\n\t
  • Applying your skills to understand project issues and discover potential solutions to ensure high quality work and client satisfaction.
  • \r\n\t
  • Collaborating with project managers, line managers and clients to solve problems and develop new ways to monitor the progress of projects.
  • \r\n
\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor of Applied Science
  • \r\n\t
  • Bachelor of Information Systems
  • \r\n\t
  • Bachelor of Commerce
  • \r\n\t
  • Bachelor of Economics
  • \r\n\t
  • Bachelor of Business
  • \r\n\t
  • Bachelor of Arts
  • \r\n\t
  • Bachelor of Law
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional inforfation

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks paid parental leave as a primary carer and more. We look forward to welcoming you.

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-project-coordinator" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee396" - }, - "title": "Summer Software Engineering Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18  November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you prepared to fuel your software engineering journey with a leader in defence, security, and aerospace?

\r\n\r\n

BAE Systems Australia is delighted to present an exciting opportunity for budding software engineers to join as our Software Interns in VIC, SA, NSW & ACT. Immerse yourself in cutting-edge projects, collaborate with industry pioneers, and be part of a team that thrives on digital innovation in a dynamic and exhilarating environment!

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225856021&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-software-engineering-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee397" - }, - "title": "Marketing Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters 

\r\n\r\n

You’ll join a high performing team of industry leaders and work on one of Australia’s most iconic and well established brands – what better place to start your career and gain exposure to the many areas of a Marketing function. 

\r\n\r\n

You’ll play a vital role in supporting our people internally, or supporting our reputation externally. You’ll be a trusted advisor, working with world-renowned partners and suppliers and making a real impact from day one. 

\r\n\r\n

See yourself in our team  

\r\n\r\n

When you apply to the Marketing & Corporate Affairs career pathway, please select ‘Marketing’.  

\r\n\r\n

Marketing – Sydney 

\r\n\r\n

By joining the Summer Intern Program, you’ll gain exposure to a variety of areas and leaders to give you a taste of a career in Marketing at CommBank. 

\r\n\r\n
    \r\n\t
  • Be empowered to do your best work while working on real life projects from day one
  • \r\n\t
  • Be surrounded by colleagues and leaders who’ll support your personal and professional growth
  • \r\n\t
  • Be closely involved in developing, driving and executing a range of strategies to promote our brand, products and services to our 10+ million retail and business customers.
  • \r\n
\r\n\r\n

Over the summer, you can get experience in teams such as  Retail Marketing; Business Marketing; Brand Communications, Partnerships and Strategy; Paid, Owned and Social Media; or Customer Research & Insights.

\r\n\r\n

We’re a creative bunch and will work with you to bring your ideas to life.  

\r\n\r\n

We’re interested in hearing from you if: 

\r\n\r\n
    \r\n\t
  • You’re passionate about people and live and breathe all things Marketing;
  • \r\n\t
  • You bring a solutions mindset and curiosity to everything you do;
  • \r\n\t
  • You’re a creative whiz with excellent communication and interpersonal skills and you’re ready to make an impact to our millions of customers.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align to one of our roles.  

\r\n\r\n

If this sounds like you, and you’re -  

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining.  

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/Private_Ad/job/Sydney-CBD-Area/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/marketing-summer-intern-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee398" - }, - "title": "IT Operations Graduate Program", - "description": "

Join FDM's Graduate Program and fast-track your tech career! 

\r\n\r\n

Are you ready to embark on an exciting journey and build a rewarding tech career? Join our Graduate Program in our IT Operations Practice and dive into the world of IT transformation.

\r\n\r\n

Why choose FDM? 

\r\n\r\n

At FDM, you'll work on diverse client assignments, where you will be supporting network and cloud infrastructures across multiple environments. Contribute to incident management, lead technology change or transformation, and play a key role in executing cloud migration, facilitating long-term operational success for clients.   

\r\n\r\n

Your role  

\r\n\r\n

We welcome graduates from all degree backgrounds - no STEM experience required! If you're passionate about tech, we'll equip you with the skills you need to succeed. 

\r\n\r\n

As an FDM Consultant in IT Operations, you'll start with up to 6-week upskilling program to build core capabilities. Our outcome-based assessments ensure you get further, faster. This is followed by practice-based learning tailored to client needs. You'll then could take on roles such as Production, SecOps and Application Support Analyst, DevOps Engineer, System and Network Administrator or Site Reliability Engineer with continuous upskilling and career development opportunities. 

\r\n\r\n

It’s a journey packed with exciting opportunities – just seize them!  

\r\n\r\n

Benefits

\r\n\r\n
    \r\n\t
  • Full-time employment with a competitive salary 
  • \r\n\t
  • An initial upskilling course pre-assignment facilitated by our expert coaches 
  • \r\n\t
  • Opportunity for entire FDM career journey development with ongoing coaching through our Skills Lab 
  • \r\n\t
  • Consultant Experience Team dedicated to your wellbeing, health, and happiness  
  • \r\n\t
  • Opportunity to become a leading consultant in one of the most in-demand tech field 
  • \r\n\t
  • Option to join the FDM Buy As You Earn share scheme 
  • \r\n
\r\n\r\n

What we look for

\r\n\r\n
    \r\n\t
  • You hold a university degree level (bachelor or higher)     
  • \r\n\t
  • Able to commit to completing our full 2.5-year graduate program   
  • \r\n\t
  • Strong problem-solving and analytical skills, paired with great interpersonal and communication skills  
  • \r\n\t
  • Eligibility to work in Australia (citizen or permanent resident)  
  • \r\n\t
  • Able to relocate for client projects - many of our clients are based in Sydney and Melbourne, so we look for you to be flexible to relocate. At FDM we support you with a relocation package and connect you to other FDM Consultants. 
  • \r\n
\r\n\r\n

We require our consultants to attend the office for client assignments when required. Currently, most client assignments have hybrid working arrangement with between 3-5 days a week in the office with remainder from home, depending on the client. 

\r\n\r\n

About FDM   

\r\n\r\n

FDM powers the people behind tech and innovation. From spotting trends to finding exceptional talent, we're the go-to and business and technology consultancy for staying ahead.   

\r\n\r\n

With 30+ years’ experience, we discover, coach and mentor the free thinkers, the fresh starters, and the hard workers from diverse backgrounds, connecting them with world class businesses. Collaborating with our client partners, we provide the perfect talent precisely when needed and guide our people to make career choices that lead to exponential growth.   

\r\n\r\n

FDM has 18 centres located across Asia-Pacific, North America, the UK, and Europe and has helped successfully launch nearly 25,000 careers globally to date and are a trusted partner to over 300 companies worldwide.   

\r\n\r\n

Dedicated to Diversity, Equity and Inclusion   

\r\n\r\n

FDM Group’s mission is to make tech and business careers accessible for everyone. Our diverse team of 90+ nationalities thrive on differences, fuels innovation through varied experiences, and celebrates shared successes. As an Equal Opportunity Employer and listed on the FTSE4Good Index, FDM ensures every qualified applicant, regardless of race, colour, religion, sex, or any other status, gets the chance they deserve.   

", - "company": { - "name": "FDM Group Australia", - "website": "https://au.prosple.com/graduate-employers/fdm-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/nUWNDC8pjxPBgV-Kf3tNULfOmX4FnoUYdAWFUQgZexI/1714355207/public/styles/scale_and_crop_center_80x80/public/2024-04/1714355200857_FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/vacancy-apply.aspx?vacancyid=837&utm_source=gradaustralia&utm_medium=jobad&utm_campaign=grad_it_ops&utm_content=aus_", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fdm-group-australia/jobs-internships/it-operations-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee399" - }, - "title": "Linux Engineer Internship", - "description": "

About the Program

\r\n\r\n

Our goal is to give you a real sense of what it’s like to work at Jane Street full time. Over the course of your internship, you will explore ways to approach and solve exciting problems within your field of interest through fun and challenging classes, interactive sessions, and group discussions — and then you will have the chance to put those lessons to practical use.

\r\n\r\n

As an intern, you are paired with full-time employees who act as mentors, collaborating with you on real-world projects we actually need done. When you’re not working on your project, you will have plenty of time to use our office amenities, physical and virtual educational resources, attend guest speakers and social events, and engage with the parts of our work that excite you the most.

\r\n\r\n

If you’ve never thought about a career in finance, you’re in good company. Many of us were in the same position before working here. If you have a curious mind, a collaborative spirit, and a passion for solving interesting problems, we have a feeling you’ll fit right in.

\r\n\r\n

About the Position

\r\n\r\n

As a Linux Engineering intern, you’ll work side by side with full-timers to learn how we maintain and improve the critical infrastructure underlying our firm’s technology, including our production trading systems. On any given day, we might be debugging kernel performance, developing management tools, or resolving production issues in real time. Our mix of in-house and open source software allows us to investigate and innovate at every level.

\r\n\r\n

During the program you’ll work on up to two projects, mentored closely by the full-time employees who designed them. Some projects consider big-picture questions that we’re still trying to figure out, while others involve building something new. Your mentors will be drawn from two different areas, so you’ll gain a better understanding of the wide range of problems we solve every day — from finding new and interesting ways to resolve production issues quickly, perform comprehensive root-cause analyses, and integrate long-term fixes in a clean and robust way.

\r\n\r\n

You’ll have a unique opportunity to see how our team interacts with almost every other group, building solutions that work on a firm-wide scale. We automate as much of our work as we can, because we find that automation reduces our error rate and overall workload — plus, we think it's fun.

\r\n\r\n

About You

\r\n\r\n

We don’t expect you to have a background in one specific field — we’re looking for smart people who enjoy solving interesting problems. We’re more interested in how you think and learn than what you currently know. You should be:

\r\n\r\n
    \r\n\t
  • Knowledgeable of operating system fundamentals and computer architecture
  • \r\n\t
  • Able to understand network protocols at a basic level
  • \r\n\t
  • Someone who solves problems by writing code (in any language)
  • \r\n\t
  • Intellectually curious, collaborative, and eager to learn
  • \r\n\t
  • Humble and unafraid to ask questions and admit mistakes
  • \r\n\t
  • A strong communicator
  • \r\n\t
  • Are comfortable at the command-line of a *nix machine as you are in a GUI
  • \r\n\t
  • Experienced with systems programming concepts like C, sockets, virtual memory, and the process life cycle
  • \r\n\t
  • Experienced with a modern *nix system, whether that’s from course work, time spent as a systems administrator for your campus computer lab, side projects, etc.
  • \r\n\t
  • Fluent in English
  • \r\n
\r\n\r\n

Please note: Jane Street will provide flights to and from Hong Kong as well as accommodation throughout the entirety of the program.

", - "company": { - "name": "Jane Street", - "website": "https://au.prosple.com/graduate-employers/jane-street", - "logo": "https://connect-assets.prosple.com/cdn/ff/nwU9ZudKIicUjLYrSqoYOC5Pz0o56S1loH42gzFu2DQ/1614271474/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-jane-street-480x480-2021.jpg" - }, - "application_url": "https://www.janestreet.com/join-jane-street/position/7078179002/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jane-street/jobs-internships/linux-engineer-internship-2" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-30T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "OTHERS"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39a" - }, - "title": "PACE Industry Mentoring Opportunities - People w/ Disability, Neurodiversity, Mental Health Condition or Chronic Illness", - "description": "

PACE Career Mentoring is a free industry mentoring program where jobseekers with disability are connected with a mentor from a leading Australian organisation.

\r\n\r\n

PACE Career Mentoring recognises that jobseekers with disability frequently experience difficulty finding work. If you're currently looking for work or completing your studies, now is the time to get connected with a supportive professional mentor to discuss your career goals. Our mentors work across many industries for established Australian businesses. 

\r\n\r\n

This year, be paired with a mentor from one of the Australian leading businesses.

\r\n\r\n

Over the four-months of PACE Mentoring, mentees and mentors will meet around 6-8 times.  During meetings, mentees can develop their professional communication skills, refine their cover letter and resume writing alongside learning how to answer key criterion for roles. Mentees will have the opportunity to practice interview techniques and build confidence.

\r\n\r\n

Face-to-face mentoring opportunities are available across Sydney, Melbourne, Brisbane, Canberra, Perth, Adelaide and some regional areas. There are also virtual mentoring opportunities for students and jobseekers based in other locations across Australia.

\r\n\r\n

For more information on PACE and the opportunities available, please visit our program page.

", - "company": { - "name": "Australian Disability Network", - "website": "https://au.prosple.com/graduate-employers/australian-disability-network", - "logo": "https://connect-assets.prosple.com/cdn/ff/EopEpr4-gY9ySrMaWYwcrJ7fRdtI6-tpNo7llm6ymD0/1708999494/public/styles/scale_and_crop_center_80x80/public/2024-02/1708999492230_ADN%20Logo%20-%20Square.png" - }, - "application_url": "https://forms.office.com/pages/responsepage.aspx?id=obrmHJ3nWkyH5EoZjzxDuBD_BEPB5PBEhGDF11HLoK9UNzdJRlY1REg3MEUyTTNOWFU4SFZONkFBVi4u&route=shorturl", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-disability-network/jobs-internships/pace-industry-mentoring-opportunities-people-w-disability-neurodiversity-mental-health-condition-or-chronic-illness" - ], - "type": "OTHER", - "close_date": { - "$date": "2025-03-16T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39b" - }, - "title": "2025 Software Development Engineer, Stores - Graduate", - "description": "Amazon Brisbane based software engineering (SDE) teams own the critical last hop in outbound fulfillment of customer orders. The features you build have direct impact on customers lives.", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2751334/software-development-graduate-2025-stores", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-software-development-engineer-stores-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-01T13:53:00.000Z" - }, - "locations": ["QLD"], - "study_fields": ["Computer Science", "Engineering - Software"], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39c" - }, - "title": "Payroll Intern #GeneralInternship", - "description": "By joining Singtel, you will be part of a caring, inclusive and diverse workforce that creates positive impact and a sustainable future for all.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Payroll-Intern-GeneralInternship-Sing/1050895666/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-payroll-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39d" - }, - "title": "Tech Graduate Program", - "description": "

About GMHBA

\r\n\r\n

GMHBA is an Australian not-for-profit health insurance and health care company with over 85 years of experience. 

\r\n\r\n

You might know us best from one of our private health insurance (PHI) brands – GMHBA and Frank.  If you live in Geelong or barrack for our local team, you likely know us through our proud affiliation with the Geelong Football Club and the GMHBA Stadium.

\r\n\r\n

Our Head Office is located in Geelong, a few minutes walk from the beautiful waterfront bay area of Geelong, and on the doorstep of Victoria’s world-famous surf beaches and the Great Ocean Road.  We offer a remarkable lifestyle.

\r\n\r\n

What you might not know, is that we are also a provider of a number of eye care, dental care, GP and allied health clinics all across Geelong and regional Victoria, and we have some pretty exciting plans for growth in the future. 

", - "company": { - "name": "GMHBA", - "website": "https://au.prosple.com/graduate-employers/gmhba", - "logo": "https://connect-assets.prosple.com/cdn/ff/hH8CCZ2HoZZQlPS7pWw6NVzjeQOiXUHStcg1v5_BOsE/1677736540/public/styles/scale_and_crop_center_80x80/public/2023-03/1677736537916_GMHBA-gradprogram-gradsite-profile_gmhba-logo.jpg" - }, - "application_url": "https://gmhba.applynow.net.au/jobs/GMHBA847", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/gmhba/jobs-internships/tech-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-14T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39e" - }, - "title": "Graduate Consultant", - "description": "
Pre-register your interest in a Graduate Consultant position with Nous Group
\r\n\r\n

Stay informed about Graduate roles at Nous. Pre-register your interest in a Graduate Consultant role and we will let you know as future applications open. Please first check our available roles before pre-registering for locations that are not currently open. 

\r\n\r\n

Nous is a great place to work

\r\n\r\n

We deliver a dynamic and varied experience that generates positive influence and growth for our clients, our colleagues, and you. 

\r\n\r\n

Working at pace and delivering great projects is balanced with benefits.  

\r\n\r\n
    \r\n\t
  • We offer active career and professional development support, funding professional development activities and reimbursing one professional membership per year 
  • \r\n\t
  • All Nousers have great flexibility around public holidays. We understand that people of different cultures, religions, and political beliefs may wish to choose to take alternative days of leave from scheduled holidays 
  • \r\n\t
  • Consultants engage directly with clients on projects and colleagues of all levels.  
  • \r\n\t
  • Hybrid working is supported while acknowledging that the fastest learning happens when working face to face with clients and colleagues. Nousers receive a once off payment to set up your WFH office 
  • \r\n\t
  • A collaborative bonus that reflects company performance is available to all permanent employees 
  • \r\n\t
  • Celebrating commitment to Nous by enabling access to long service leave after 5 years of employment 
  • \r\n\t
  • Supporting working parents by providing 18 weeks of paid primary carer parental leave and 10 weeks of paid secondary carer parental leave (access to parental leave is gender neutral). 
  • \r\n\t
  • Nousers aim to deliver an average of 8 hours client project work per day and are then able to spend additional time on growth – either yours, your colleagues’ or Nous’, which may include time on professional development, mentoring, IP development, or involvement with Nous’ employee networks. 
  • \r\n
\r\n\r\n

What we do

\r\n\r\n

Nous offer expert consulting services across a range of services including business strategy, public policy, organisational capability and development, transformational change, and digital strategy and capability. 

\r\n\r\n

A snapshot of recent projects: 

\r\n\r\n
    \r\n\t
  • developing a strategy to respond to key health system challenges and reforms including the use of health analytics and technology 
  • \r\n\t
  • re-designing education innovation functions and organisation design for major universities 
  • \r\n\t
  • generating solutions using advanced data analytics techniques to better design policy, strategy, and services 
  • \r\n\t
  • developing an evidence base and strategy to inform Victoria’s offshore wind program
  • \r\n\t
  • designing a strategy for a major Australian bank to grow overseas operations
  • \r\n\t
  • reviewing care coordination for Indigenous Australians with chronic disease, using data analytics and drawing on consultations with service providers and Indigenous clients 
  • \r\n\t
  • the implementation of a financial service providers’ new leadership and cultural change
  • \r\n\t
  • using co-design techniques, worked with victims and perpetrators of family violence to create a service development plan for a contact centre. 
  • \r\n
\r\n\r\n

How we will develop and support you...

\r\n\r\n

At Nous, we want you to hit the ground running, working in project teams from day 1. We’ve designed an intensive graduate induction program to set you up for success, teaching key consulting skills and extending your knowledge quickly. Your development doesn’t end with induction, it continues throughout your time at Nous with a wide range of learning opportunities, primarily on the job in diverse client projects, but also through targeted courses, webinars, performance check ins, online learning, and formal learning programs. 

\r\n\r\n

For those with the necessary energy and ability, we will ensure that Nous supports your growth with the opportunity to rotate across consulting offers. This may include experience in data analytics, design, digital, economics, implementation, leadership, organisational performance, public policy, regulation, or strategy. 

\r\n\r\n

More about Nous

\r\n\r\n

Nous is an international management consultancy with over 700 people working across Australia, New Zealand, the UK, Ireland and Canada. We are a values-based organisation that is inspired and determined to improve people’s lives in significant ways. Working in unique, cross-disciplinary teams we create innovative and enduring solutions that transform businesses, governments, and communities. We realise a bigger idea of success. 

\r\n\r\n

Nous is regularly acknowledged as a great place to work as part of competitive workplace reviews. In 2023 Nous was again named one of Australia’s Best Workplaces by Great Place to Work and was recognised as one of LinkedIn’s best places to grow a career, as a LinkedIn Top Company (Australia). We have previously been named Best Management Consulting Firm by the Australian Financial Review on a number of occasions and a Great Place to Work every year that we’ve entered (Australia). We’re excited to be extending success and influence globally having recently been awarded a Great Place to Work in Canada and the UK in 2023. 

\r\n\r\n

To succeed in a graduate consulting role at Nous you are: 

\r\n\r\n
    \r\n\t
  • enthusiastic, curious, and eager to learn 
  • \r\n\t
  • intelligent and academically accomplished 
  • \r\n\t
  • skilled in strong quantitative analysis  
  • \r\n\t
  • able to undertake structured qualitative analysis in a logical and efficient manner 
  • \r\n\t
  • able to demonstrate excellent written and oral communication skills 
  • \r\n\t
  • well organised, with the ability to manage multiple pieces of work simultaneously
  • \r\n\t
  • effective at working autonomously and in a self-managed way, using initiative to draw on the expertise of those around you.
  • \r\n
\r\n\r\n

Finally, some important details...

\r\n\r\n

Nous is an equal opportunity employer. We take pride in the inclusive workplace we have built, acknowledged by the Diversity Council of Australia as a 2021-2022 Inclusive Employer, reflecting both the diversity of our people and our supportive people, culture, and policies. We are one of only one hundred organisations nationally that have a Strech Aboriginal Torres Strait Islander Reconciliation Action Plan. We encourage applications from people of all backgrounds, including Aboriginal, Torres Strait Islander, and First Nations people.  

\r\n\r\n

If you are energetic, highly capable, and interested in working in a fast-paced environment as part of a high performing dynamic team, working on complex problems that puts people at the centre of everything, we'd love to hear from you! Please click apply below. We will review your application and be in contact as soon as possible. Please keep an eye out on your spam folder, just in case. 

\r\n\r\n

To apply for a role at Nous in Australia you must have Australian Permanent Residency or the right to work in Australia.  

\r\n\r\n

Please note that if you are successful in the recruitment process, you will be required to undertake background screening prior to your commencement at Nous.

", - "company": { - "name": "Nous Group", - "website": "https://au.prosple.com/graduate-employers/nous-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/ubFi-2AX7eCTMz18QClg08PdjcAq-Tf5CUITu65NnG0/1569809594/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-nous-group-120x120-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nous-group/jobs-internships/graduate-consultant-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee39f" - }, - "title": "Digital Content Evaluation Specialist - English", - "description": "

Join Welo Data as a Freelance Content Evaluation Specialist!

\r\n\r\n

Welo Data, a Welocalize brand, collaborates with top tech companies to provide high-quality, ethically sourced data to enhance AI models. We're looking for detail-oriented, flexible individuals to join our team as Freelance Content Evaluation Specialists. This is an excellent opportunity for students or anyone looking for remote, freelance work evaluating digital content across various platforms.

\r\n\r\n

Key Details:

\r\n\r\n
    \r\n\t
  • Duration: Ongoing, flexible freelance position
  • \r\n\t
  • Location: Remote (must be in the target country)
  • \r\n\t
  • Schedule: Flexible, averaging 4 hours/day, with variability in weekly hours
  • \r\n\t
  • Payment: Paid per task, with average hourly rate of USD $15 (if tasks are completed on time)
  • \r\n
\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Evaluate content quality and relevance across various media and entertainment platforms (e.g., music, video, books, podcasts, apps, etc.).
  • \r\n\t
  • Provide clear, fact-based explanations and feedback in English and your native language.
  • \r\n\t
  • Apply strong analytical and pattern recognition skills to assess content and user experience.
  • \r\n
\r\n\r\n

Requirements:

\r\n\r\n
    \r\n\t
  • Fluent in English and your native language, with strong comprehension and writing skills.
  • \r\n\t
  • Detail-oriented with strong judgment and time management.
  • \r\n\t
  • Broad cultural literacy and awareness of media, entertainment, social media, gaming, and emerging digital trends.
  • \r\n\t
  • Experience with diverse content types and formats is a plus.
  • \r\n\t
  • Ability to learn quickly, adapt, and follow guidelines independently.
  • \r\n
\r\n\r\n

Why Join Us?

\r\n\r\n
    \r\n\t
  • Flexible hours: Perfect for students or anyone seeking work-life balance.
  • \r\n\t
  • Remote work: Enjoy the convenience of working from home.
  • \r\n\t
  • Professional development: Gain exposure to cutting-edge digital trends.
  • \r\n\t
  • Supportive learning: Receive comprehensive training and ongoing feedback.
  • \r\n
\r\n\r\n

How to Apply:

\r\n\r\n
    \r\n\t
  1. Take a language proficiency and cultural assessment in your native language.
  2. \r\n\t
  3. Complete a 2.5-hour learning program to prepare for the final Client Exam.
  4. \r\n\t
  5. Take the final exam (3 attempts allowed, approx. 2 hours).
  6. \r\n
\r\n\r\n

Start as soon as possible – Apply now and join our innovative team at Welo Data!

", - "company": { - "name": "Welocalize", - "website": "https://au.prosple.com/graduate-employers/welocalize", - "logo": "https://connect-assets.prosple.com/cdn/ff/rfRKbnMblX82QreXR3cnjX8z9Bh7vAOZ31TrcLcA3-w/1729840394/public/styles/scale_and_crop_center_80x80/public/2024-10/logo-Welocalize-480x480-2024.jpg" - }, - "application_url": "https://jobs.lever.co/welocalize/793ab470-1780-41ee-9378-5cea445c0ac8?lever-origin=applied&lever-source%5B%5D=Sjprosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/welocalize/jobs-internships/digital-content-evaluation-specialist-english" - ], - "type": "FIRST_YEAR", - "close_date": { - "$date": "2025-02-28T12:59:59.000Z" - }, - "locations": [], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a0" - }, - "title": "Summer Vacation Program", - "description": "

Internship possibilities start with us. 

\r\n\r\n

Our 13-week Summer Program provides students with learning opportunities that are unique to Powerlink and the high voltage electricity industry. This is an exciting time to be joining us, as we continue to grow, lead energy transformation and focus on delivering renewable energy into the grid across Queensland. 

\r\n\r\n

We provide you with an ideal platform to jump-start your career by offering 'real life' work experience across a range of specialist disciplines. You’ll be involved in interesting and varied projects and will work & learn alongside talented and supportive professionals. 

\r\n\r\n

This is a rare and rewarding opportunity if you’re seeking a challenging and dynamic vacation program, getting up-close to the work that keeps the lights on for more than 5 million Queenslanders every day. 

\r\n\r\n

What you’ll bring.

\r\n\r\n

Our Summer Vacation Program is open to undergraduate and postgraduate students who will be continuing and/or completing their studies in 2025. 

\r\n\r\n

You should be continuing university studies in the following disciplines (usually second- and third-year undergraduate students): 

\r\n\r\n
    \r\n\t
  • Engineering – electrical, electronic or mechatronics
  • \r\n\t
  • Information Technology 
  • \r\n\t
  • Business/Commerce/Law
  • \r\n\t
  • Accounting/Economics
  • \r\n\t
  • Environment, Environmental Engineering & Environmental Science
  • \r\n
\r\n\r\n

Inclusion at Powerlink.

\r\n\r\n

Unleashing our people’s potential is essential to our success. We are dedicated to fostering an inclusive culture where everyone is welcome and where diverse perspectives are valued.  We are committed to ensuring our workforce reflects the diversity of the communities we serve, and harness the unique talents, perspectives and experiences of all people. 

\r\n\r\n

Throughout the recruitment process, we provide support for candidates to ensure nobody is disadvantaged. Please tell us about any adjustments, support or access requirements that may help make the recruitment process more inclusive for you. You are also welcome to share your pronouns with us at any point throughout the process.

\r\n\r\n

What next?

\r\n\r\n

If you are keen to join a world leader in the electricity transmission industry and play your part in creating a sustainable energy future, pre-register with us to find out when positions become available. 

\r\n\r\n

Leaders in the Energy Future.

\r\n\r\n

Powerlink is a leading Australian provider of electricity transmission services, delivering safe, cost effective, secure and reliable energy solutions. We own, develop, operate and maintain the high voltage transmission network in Queensland, providing electricity to more than five million Queenslanders and 253,000 businesses. 

\r\n\r\n

We offer:

\r\n\r\n
    \r\n\t
  • Gain “real life” work experience across a range of work areas through our Summer Vacation Program
  • \r\n\t
  • Programs available in various divisions across the business
  • \r\n\t
  • 9-day fortnight and flexible working opportunities 
  • \r\n\t
  • Competitive salary + 14.75% superannuation 
  • \r\n\t
  • Free parking and access to charging stations for electric vehicles at our Virginia Offices
  • \r\n\t
  • Access to onsite gym facility 
  • \r\n
", - "company": { - "name": "Powerlink Queensland", - "website": "https://au.prosple.com/graduate-employers/powerlink-queensland", - "logo": "https://connect-assets.prosple.com/cdn/ff/bnNZ-z5Xsoh3Cdmi2u1WPtCJtupuJ3CU7_5_sFcGSx4/1697077109/public/styles/scale_and_crop_center_80x80/public/2023-10/1697077107653_PowerlinkLogo_240x240_Prosple.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/powerlink-queensland/jobs-internships/summer-vacation-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-29T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a1" - }, - "title": "Banking and Accounting Summer Intern Program", - "description": "
    \r\n\t
  • Kick-start your journey with Australia’s biggest bank.
  • \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters 

\r\n\r\n

Your passion for people and cultivating relationships will make you the point of contact between the numbers and the business while delivering meaningful insights. 

\r\n\r\n

You’ll gain hands on experience to real life projects; make an impact to customers and communities and if you’re part of Institutional Banking and Markets you’ll begin your journey with a four week Graduate Academy. 

\r\n\r\n

Your ability to analyse data, information, and comfort working with numbers and trends will allow you to connect the dots to find your stakeholders the best solutions.

\r\n\r\n

See yourself in our team 

\r\n\r\n

When you apply to the Banking and Accounting career pathway, there are three programs to choose from. 

\r\n\r\n

Finance & Accounting – Sydney

\r\n\r\n

Over the summer, you might see yourself in Group Treasury, Climate Strategy, Investor Relations, Capital and Audit. You’ll work on projects that support our Board, our shareholders and a range of business areas across the Group in their decision making. We'll also support you with gaining further professional accreditation. 

\r\n\r\n

Business Banking - Commercial (Relationship Management) – Sydney, Adelaide, Brisbane, Melbourne & Perth

\r\n\r\n

You’ll have a direct impact on our customers and the community standing side-by-side with our business clients across Australia, providing them with financial solutions to bring their visions to life – everything from start-ups to listed companies. 

\r\n\r\n

You’ll develop your skills in credit analysis, financial modelling, interpretation of customer’s financial information, and managing the end-to-end lending process. 

\r\n\r\n

At the end of your program, you’ll have the chance to fast track into the Graduate Program where you roll off into an Analyst role. At the end of the Program, you’ll be future ready to become a banker or leader in our business by transitioning into a challenging role as an Analyst.

\r\n\r\n

Institutional Banking and Markets (IB&M) – Sydney 

\r\n\r\n

See yourself in our IB&M teams within (Global Markets or Commodities, Trade & Carbon), private area (Client Solutions or Capital Structuring) and support teams (Chief Operating Office, Non-Financial Risk & Conduct or Quants, Data, Analytics and Technology). 

\r\n\r\n

You’ll gain an in-depth understanding of IB&M, benefiting from making live deals and trades while interacting with our institutional clients. You have the opportunity to obtain international exposure and work experience. You’ll work on high profile projects where you can influence others. 

\r\n\r\n

After the Summer Intern Program, you’ll have the chance to fast track into the Graduate Program where you'll have the opportunity to move into an Associate level role in Client Solutions, Capital Structuring, Commodities, Trade & Carbon, Global Markets or Quants, Data, Analytics or Technology.

\r\n\r\n

Check out commbank.com.au/graduate to find out more about our pathways. 

\r\n\r\n

Join us

\r\n\r\n

You may have a background in quantitative degrees such as Accounting, Finance, Economics, Statistics, and Mathematics or studied subjects aligned to these disciplines. You’re also -

\r\n\r\n
    \r\n\t
  • Innately curious about analysing data and information to draw conclusions;
  • \r\n\t
  • Proactive, highly engaged and an ambitious self-starter;
  • \r\n\t
  • Someone who has excellent interpersonal skills and a strong desire to succeed;
  • \r\n\t
  • Passionate about building meaningful relationships with our customers
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align to one of our roles. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining. 

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/en-US/Private_Ad/job/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/banking-and-accounting-summer-intern-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a2" - }, - "title": "Technology Leadership Development Program", - "description": "

Teach For Australia’s Leadership Development Program (LDP) offers graduates the opportunity to study for a Master of Teaching on an assisted scholarship with Australian Catholic University (ACU).  

\r\n\r\n

Salary: $62,000 - $72,000 per annum  

\r\n\r\n

Become an impact-driven leader  

\r\n\r\n

During the two-year program, you’ll teach your area of expertise to secondary school students from low socioeconomic communities and play an active role in breaking the cycle of educational inequality in Australia.  

\r\n\r\n

As a leader in the classroom, you’ll share your passions with young people and act as a role model and mentor. You’ll also develop the skills and experience needed to become an effective and impact-driven leader both inside and outside the classroom and get an insight into what’s needed to create lasting social changes.  

\r\n\r\n

About you 

\r\n\r\n

Before you apply for the Leadership Development Program, you’ll need to:

\r\n\r\n
    \r\n\t
  • be an Australian citizen or permanent resident at the time of applying
  • \r\n\t
  • hold a bachelor's degree in a discipline other than teaching
  • \r\n\t
  • be willing to accept a placement within the state or territory where we currently operate
  • \r\n\t
  • be able to enrol in at least two learning areas – these will be the subjects you are qualified to teach. Maths, Physics, Engineering, Science, English/Literature and LOTE degree holders are especially encouraged to apply.
  • \r\n
\r\n\r\n

Please note that we close learning areas progressively as we meet demand. 

\r\n\r\n

We currently place LDP ‘associates’ in schools in:  

\r\n\r\n
    \r\n\t
  • Victoria
  • \r\n\t
  • New South Wales
  • \r\n\t
  • Western Australia
  • \r\n\t
  • Tasmania
  • \r\n\t
  • South Australia
  • \r\n\t
  • Northern Territory.
  • \r\n
\r\n\r\n

About Teach for Australia 

\r\n\r\n

Not every child in Australia has access to the education they deserve. For example, children from the lowest-income households are, on average, three years behind in school compared to other children their age. 

\r\n\r\n

Teach for Australia exists to help break this cycle of educational inequity and level the playing field for all young people across Australia. We do this by recruiting, training and supporting exceptional people to teach and lead across Australia. 

", - "company": { - "name": "Teach For Australia", - "website": "https://au.prosple.com/graduate-employers/teach-for-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7fLhC288PJxTpfz7xyqF186cuDCVZiP-aqktv3SBOds/1646198099/public/styles/scale_and_crop_center_80x80/public/2022-03/1646197303221_TFA%20Logo%20200x200%20%281%29.jpg" - }, - "application_url": "https://teachforaustralia.org/our-programs/leadership-development-program/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/teach-for-australia/jobs-internships/technology-leadership-development-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-05T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NT", "SA", "TAS", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a3" - }, - "title": "Junior Architect/Business Analyst IM&T Graduate", - "description": "

About BAE Systems:

\r\n\r\n

BAE Systems Australia develops the latest technologies, capabilities and infrastructure to protect the people of the Australian Defence Force. As a Graduate, you’ll play a role in helping us to deliver this, supporting multi-billion dollar programs across every Australian Defence domain – air, land, sea and space. 

\r\n\r\n

About the Opportunity:

\r\n\r\n

As a Graduate within our IM&T Architecture function, whilst developing yourself, you will provide support and assistance to Managers within the business. 

\r\n\r\n

This position will be offered as a stream 1 option 

\r\n\r\n

As part of the graduate program, you will work in one project/department for the duration of your program. As a result, you’ll enjoy stability and the opportunity to develop deep knowledge of that domain.  Whilst your experiences will vary, this will be a non-rotational program.

\r\n\r\n

 For more information on our Graduate program, please visit our website.

\r\n\r\n

As a Junior Architect/Business Analyst Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Assist in Business Engagement
  • \r\n\t
  • Assist in Solution Design and Analysis
  • \r\n\t
  • Support solution Delivery to address business needs and deliver outcomes
  • \r\n\t
  • Collaborate with internal IM&T teams to support Architecture
  • \r\n
\r\n\r\n

These opportunities will be available in:

\r\n\r\n
    \r\n\t
  • SA-Adelaide CBD
  • \r\n
\r\n\r\n

About You

\r\n\r\n

BAE Systems has a strong focus on operational excellence and business values. For this, you will demonstrate: 

\r\n\r\n
    \r\n\t
  • Strategic vision
  • \r\n\t
  • Adaptability
  • \r\n\t
  • Effective collaboration skills
  • \r\n\t
  • Honesty & integrity
  • \r\n
\r\n\r\n

To be eligible, you must be due to complete your studies in 2025 (or have already completed) a University degree qualification in an appropriate discipline. 

\r\n\r\n

You will also need demonstrated teamwork and communication skills coupled with a desire to grow and learn.  

\r\n\r\n

Due to the nature of our work, you'll also need to be an Australian Citizen and eligible for Australian Defence Security Clearance.

\r\n\r\n

About Our Graduate Program:

\r\n\r\n

Our 2+1 Graduate Program provides you with professional and technical development to ensure success in your chosen field.  In the third year, you will choose from a variety of professional development options, including leadership and innovation, to suit your own personal career aspirations.

\r\n\r\n

In addition to extensive training and development, you will work with a graduate mentor who will support you to develop and progress your personal career plan setting out your career goals.  BAE also offers a competitive annually-reviewed salary and our program provides meaningful and challenging work within an inclusive and respectful environment.

\r\n\r\n

We provide more choice and opportunity for career success and we couldn’t be more excited!

\r\n\r\n

What’s next? 

\r\n\r\n

Short listed applicants will be invited to participate in a 1-way video interview. Subsequent stages of the process will include a form of interview, such as an assessment centre or panel interview. 

\r\n\r\n

Once this interview stage has been completed preferred candidates will be sent background screening and pre-employment health assessments. Once all checks have been completed, successful candidates will be notified, and as we are a Circle Back Initiative all other applicants will receive notification ether via email or phone call.

\r\n\r\n

We welcome and strongly encourage applications from women, Aboriginal and Torres Strait Islanders and Veterans for these opportunities.  An inclusive culture and an exciting, supportive start to your career awaits!

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225527965&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/junior-architectbusiness-analyst-imt-graduate-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-25T14:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a4" - }, - "title": "Institutional Bank Summer Intern Programs", - "description": "

Your New Role

\r\n\r\n

Corporate Institutional Banking (CIB) sits within Westpac’s Institutional Bank. Our team focuses on understanding the needs of our institutional and government clients to support them through their lifecycle, whether that be to provide financing and solutions for growth opportunities, to assist in navigating through times of change, or simply just to support their financial wellbeing.

\r\n\r\n

On this 10 Week Summer Intern Program You will gain hands on experience, where you are an integral part of a team to help deliver solutions for our customers.

\r\n\r\n

What the CIB Summer Intern Program will offer you?

\r\n\r\n
    \r\n\t
  • Gain real-world experience and a chance to be considered for our Graduate Program.
  • \r\n\t
  • Engage directly with industry experts and mentors.
  • \r\n\t
  • Immerse yourself in dynamic team environments.
  • \r\n
\r\n\r\n

What you’ll need to succeed

\r\n\r\n

Students from all disciplines are welcome to apply for the CIB Summer Intern Program. At Westpac Group, we recognise that a finance/analytical background is preferred but not necessary to join our team. If you have the intellectual curiosity and drive to learn, we have the training infrastructure to foster and develop the skills you need.

\r\n\r\n

You will also need:

\r\n\r\n
    \r\n\t
  • To be in your second last year of study of a university degree, or
  • \r\n\t
  • You also need to be an Australian or New Zealand Citizen or an Australian Permanent Resident when you apply.
  • \r\n
\r\n\r\n

Join us as we create better futures for our customers, our company and you

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://ebuu.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/50499", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/institutional-bank-summer-intern-programs" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a5" - }, - "title": "Undergraduate Auditor", - "description": "

As an Undergraduate Auditor, you will join QAO as a part-time permanent staff member from day one, with the opportunity to progress directly into the full-time graduate program after completing university. With us, you will gain valuable experience while studying towards your degree. We will provide formal, hands-on, and on-the-job training; regular professional development sessions; mentoring and a dedicated buddy to support you as you start working with a variety of clients throughout Queensland; and a variety of experiences and work to put the skills and knowledge you learn at university into practice.

\r\n\r\n

You will work alongside a collaborative, diverse, and supportive team, to help complete financial and assurance audits of our clients. Effective communication skills, the ability to identify and solve problems and achieve results, and a sense of adventure are desirable qualities for the role. 

\r\n\r\n

Unlock your potential while you help improve public services for all Queenslanders – from the local government services you use in your community, to your hospitals, energy providers, universities, and more.

\r\n\r\n

You have a choice of commencing in October 2025 or February 2026. 

\r\n\r\n

About the Queensland Audit Office 

\r\n\r\n

On behalf of the Auditor-General, we provide insights to hundreds of state and local government clients on how to deliver better public services for Queenslanders. As the state’s independent auditor, we are vital to Queensland’s integrity system, giving parliament and the public trusted assurance.

\r\n\r\n

We use some of the most contemporary practices in today’s professional services industry to:

\r\n\r\n
    \r\n\t
  • deliver high quality financial, assurance, and information systems services
  • \r\n\t
  • give public sector entities insights on their performance, risks, and financial management
  • \r\n\t
  • report to parliament on the results of our work
  • \r\n\t
  • investigate financial waste and mismanagement
  • \r\n\t
  • share best practice across our client base and industry.
  • \r\n
\r\n\r\n

Working at QAO

\r\n\r\n

Innovation, teamwork, and relationships are at the heart of what we do. We invest in advanced audit capabilities with integrated analytics and information systems audits. Other benefits include:

\r\n\r\n
    \r\n\t
  • a starting full-time equivalent salary of $63,300 (pro-rata) plus 12.75 per cent superannuation and leave loading
  • \r\n\t
  • travel throughout Queensland with your colleagues when performing client visits
  • \r\n\t
  • a Brisbane based role with hybrid work arrangements – work from client sites, in the office, and from home
  • \r\n\t
  • state of the art technology to enable you to work in head office, at client sites or at home
  • \r\n\t
  • continuous learning opportunities, including formal learning and personalised career development.
  • \r\n\t
  • active social club organising events throughout the year.
  • \r\n
\r\n\r\n

Who can apply 

\r\n\r\n

To apply for the Undergraduate program, you will need to meet the following eligibility criteria:

\r\n\r\n
    \r\n\t
  • Be an Australian or New Zealand Citizen/Permanent Resident, or have permanent working rights within Australia
  • \r\n\t
  • Be studying at an Australian university in an appropriate tertiary qualification accounting, commerce, business, data science, information technology, information systems, mathematics/statistics, public policy or management.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n
    \r\n\t
  • You should provide a copy of your Curriculum Vitae (CV) and your academic transcript.
  • \r\n\t
  • Clearly state your tertiary qualification and proposed graduation date in your CV – your application may be unable to proceed if this is unclear.
  • \r\n
\r\n\r\n
    \r\n\t
  1. Apply online via GradSift and create your profile. You will be prompted to add our Program Code which is 71095534.
  2. \r\n\t
  3. Complete the following:
  4. \r\n
\r\n\r\n
    \r\n\t
  • Upload your current resume, including contact details of 2 referees who have supervised you within the past 2 years (for e.g., this might be work, university, or volunteer work).
  • \r\n\t
  • Upload your academic transcript and any other tertiary qualifications you hold.
  • \r\n\t
  • Create a short 60 to 90 second video to introduce yourself. The video is a short introduction about yourself, what you’ve studied, one or two key achievements, what strengths do you bring to the role, and why you'd like a career with us. The details of how to record the video are explained under the support '?' icon.
  • \r\n
\r\n\r\n

More information

\r\n\r\n

The position description outlining the role and the timetable for our recruitment and selection process is available on Graduates our page on our website.  Our Graduate website also has a variety of Frequently Asked Questions about the program, and some insights from former graduates on their experience. Visit our site now to check!

", - "company": { - "name": "Queensland Audit Office", - "website": "https://au.prosple.com/graduate-employers/queensland-audit-office", - "logo": "https://connect-assets.prosple.com/cdn/ff/mMaPgsKNWdb_V9VgpdT5xtektUrozaRlgdXnfcmtXaM/1583309424/public/styles/scale_and_crop_center_80x80/public/2020-01/logo-queensland-audit-office-120x120-2020.png" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/301/71095534/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-audit-office/jobs-internships/undergraduate-auditor-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-25T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a6" - }, - "title": "Data Analysts, Geospatial Analysts, Data Managers", - "description": "

The Australian Government is seeking recent university graduates to join the 2026 Australian Government Graduate program - Data Stream. 

\r\n\r\n

There are lots of roles on offer including Data Generalists.

\r\n\r\n

Roles filled through the Data Generalist stream include Data Analysts, Data Engineers, Data Managers and Geospatial Analysts. Data Generalists lead the design, analysis and delivery of relevant, trusted and objective statistics and data-related insights. 

\r\n\r\n

Qualifications and Experience

\r\n\r\n

To be eligible for the Data Generalist stream, you must have an undergraduate (AQF7) degree or higher and meet all other eligibility requirements as outlined below. While there are no requirements for any particular disciplines, people who have undertaken data subjects are more likely to be successful.

\r\n\r\n

What we offer you

\r\n\r\n

The Australian Government has access to some of Australia’s largest and most unique data sets and provides endless opportunities for data professionals. As part of a graduate program in the Australian Government, you will:

\r\n\r\n
    \r\n\t
  • have access to over 40 different departments and agencies
  • \r\n\t
  • be placed in a permanent, full-time role
  • \r\n\t
  • receive generous leave entitlements
  • \r\n\t
  • be valued for your unique perspective and diverse views
  • \r\n\t
  • have the chance to work across all aspects of government such as policy development, program management and service delivery
  • \r\n\t
  • receive formal and on-the-job training and mentorship
  • \r\n\t
  • do meaningful work
  • \r\n\t
  • receive a competitive salary
  • \r\n\t
  • be able to make a difference to our society.
  • \r\n
\r\n\r\n

Where you can work

\r\n\r\n

Most positions are available in Adelaide, Brisbane, Canberra, Geelong, Hobart, Melbourne, Newcastle, Perth, Sydney.

\r\n\r\n

What is the Australian Government Graduate Program - Data Stream?

\r\n\r\n

The Australian Government Graduate Program (AGGP) - Data Stream is a program offering recent graduates permanent employment across the Australian Government. The Data Stream is led by the Australian Bureau of Statistics who recruit for data roles on behalf of over 40 Australian Government and Commonwealth agencies across Australia. There will be about 300 positions across the participating agencies. 

\r\n\r\n

Are you eligible?

\r\n\r\n

To be eligible you must:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • have completed your most recent, eligible qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance if required
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
", - "company": { - "name": "Australian Bureau of Statistics (ABS)", - "website": "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs", - "logo": "https://connect-assets.prosple.com/cdn/ff/1ef9o69alrtqgHYSp1sDfVeptyWtGazugwN7m_uuq_Y/1635915251/public/styles/scale_and_crop_center_80x80/public/2021-11/logo-australian-bureau-of-statistics-480x480-2021_0.jpg" - }, - "application_url": "https://abs.nga.net.au/?jati=F56BBBEF-0015-34A5-5AF4-DA90072EBA1E", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs/jobs-internships/data-analysts-geospatial-analysts-data-managers-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a7" - }, - "title": "Innovation Centre Intern #GeneralInternship", - "description": "The Singtel Innovation Centre (“Centre”) is a leading experience centre that brings together Singtel Group’s emerging technologies to enable help businesses reimagine their future, explore innovative concepts and overcome business challenges to unlock new growth opportunities.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Innovation-Centre-Intern-GeneralInternship-Sing/1051019566/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-innovation-centre-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a8" - }, - "title": "Digital Sales Graduate", - "description": "

Who We Are:

\r\n\r\n

Hewlett Packard Enterprise is the global edge-to-cloud company advancing the way people live and work. We help companies connect, protect, analyze, and act on their data and applications wherever they live, from edge to cloud, so they can turn insights into outcomes at the speed required to thrive in today’s complex world. Our culture thrives on finding new and better ways to accelerate what’s next. We know diverse backgrounds are valued and succeed here. We have the flexibility to manage our work and personal needs. We make bold moves, together, and are a force for good. If you are looking to stretch and grow your career our culture will embrace you. Open up opportunities with HPE.

\r\n\r\n

Job Description:

\r\n\r\n

Advance the way you live and work at HPE.

\r\n\r\n

Who We Are:

\r\n\r\n

At HPE, our team members search beyond customers' needs today to accelerate what’s next and make a difference — for others, our company, and the planet. Our customers turn to us because we are positive, empathetic, and enterprising. We embrace opportunities to accelerate this transformation across data, connectivity, cloud, and security. And together we make what was once thought impossible, possible.

\r\n\r\n

That’s why we not only give you the space to grow into the professional you want to be, but we also embrace who you are and where you come from. We also value the flexibility and autonomy to balance work and personal needs in a way that works best for you.

\r\n\r\n

A career as a Sales Graduate allows you the opportunity to drive deals from qualification to close and grow into a true sales professional with valuable relationships and international working experience.

\r\n\r\n

Program start date: March 2025

\r\n\r\n

What you'll do:

\r\n\r\n
    \r\n\t
  • You will support team members in making business critical decisions effecting both strategy and pricing
  • \r\n\t
  • You will assist in the running of a sales collateral portal, ensuring teams have the relevant information to sell HPE products
  • \r\n\t
  • You will actively provide support for sales/business contracts
  • \r\n\t
  • You will compile and analyze data that will be utilized to make critical business decisions
  • \r\n\t
  • You will provide quoting support for sales leaders and customers while ensuring customer requirements are met
  • \r\n\t
  • You will track contract deadlines assuring all deadlines are met
  • \r\n\t
  • You will proactively identify and assist with customer issues and inquiries, developing solutions to meet the customer’s needs
  • \r\n
\r\n\r\n

What you’ll need:

\r\n\r\n
    \r\n\t
  • Completed Bachelor’s/Master’s degree within the last 12 months with a focus in computer science, business, economics, or related
  • \r\n\t
  • Strong verbal and written communication skills in English
  • \r\n\t
  • Experience or a proven interest in sales and a passion for technology
  • \r\n\t
  • Excellent at building relationships at all levels and having solution focused discussions
  • \r\n
\r\n\r\n

What we’d prefer you bring:

\r\n\r\n
    \r\n\t
  • The drive to seek out what’s next and to deliver exceptional results
  • \r\n\t
  • A collaborative, solution focused spirit and overall sense of urgency
  • \r\n\t
  • The desire to embrace new ideas and fresh thinking and seek out ideas different than your own
  • \r\n\t
  • Experience as an active leader on campus who strives to make a positive impact on the world
  • \r\n\t
  • Comfort with working in a hybrid (virtual and face-to-face) environment
  • \r\n\t
  • Exceptional communication and presentation skills and the ability to ask smart questions
  • \r\n
\r\n\r\n

At HPE, we’re: · Ranked 19th on Fortune’s 2022 list of 100 Best Companies to Work For.

\r\n\r\n
    \r\n\t
  • Ranked 7th on Newsweek’s list of America’s Most Responsible Companies 2022
  • \r\n\t
  • Named a Best Place to Work for Disability Inclusion for the sixth year in row
  • \r\n\t
  • Named one of the 100 Best Large Workplaces for Millennials in 2021
  • \r\n\t
  • Recognized as one of the Best Companies for Multicultural Women by Seramount
  • \r\n
\r\n\r\n

Ready to take the next step? Open up opportunities with HPE.

\r\n\r\n

 

", - "company": { - "name": "Hewlett Packard Enterprise (HPE)", - "website": "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe", - "logo": "https://connect-assets.prosple.com/cdn/ff/Hbu1DjSV2otmsvvSz63vJV_LCTxNmV4i-4mtW4CAGUE/1649113550/public/styles/scale_and_crop_center_80x80/public/2022-04/1593697162881.jpg" - }, - "application_url": "https://careers.hpe.com/us/en/job/1184007/Digital-Sales-Graduate", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe/jobs-internships/digital-sales-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3a9" - }, - "title": "ITE1-ITE2 Infrastructure Engineer – Network Administrators and COMSEC Account Managers", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

ASIO is seeking highly skilled and detail-oriented Network Administrators and COMSEC Account Managers to manage and maintain the security and integrity of our network infrastructure, as well as ensure the secure handling and management of sensitive communications security (COMSEC) equipment and materials that underpin ASIO's critical mission. 

\r\n\r\n

You'll be part of a dynamic team where creativity, experimentation, and innovation are encouraged. Our collaborative culture fosters a sense of community among technologists, where you'll have the opportunity to share ideas, develop new skills, and continuously learn from your peers.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Network Administrator in ASIO you will:

\r\n\r\n
    \r\n\t
  • Design, configure, and troubleshoot network devices, including routers, switches, firewalls, and VPNs.
  • \r\n\t
  • Implement and maintain network security measures, such as access controls, intrusion detection, and encryption.
  • \r\n\t
  • Collaborate with senior engineers to develop and maintain network architecture and infrastructure.
  • \r\n\t
  • Conduct network performance monitoring and optimisation.
  • \r\n\t
  • Participate in incident response and problem management activities.
  • \r\n\t
  • Provide technical support and training to users.
  • \r\n\t
  • Stay up-to-date with emerging network technologies and threats, and apply this knowledge to improve ASIO's network security posture.
  • \r\n
\r\n\r\n

As a COMSEC Account Manager in ASIO, you will: 

\r\n\r\n
    \r\n\t
  • Manage and maintain COMSEC equipment, including encryption devices, cryptographic key generators, and authentication systems.
  • \r\n\t
  • Operate COMSEC systems such as the Australian Key Management Infrastructure (AKMI) and the Communications Security Accounting Reporting and Distribution System (CARDS).
  • \r\n\t
  • Maintain the accountability and control of COMSEC equipment and materials, including conducting regular audits and developing associated documentation such as Key Management Plans and Site Security Plans.
  • \r\n\t
  • Provide training and guidance on COMSEC procedures to authorised personnel.
  • \r\n\t
  • Coordinate with other organisations or agencies to ensure interoperability and compliance with COMSEC standards and regulations, including the Australian Communications Security Instruction (ACSI) suite of publications, the Australian Government's Protective Security Policy Framework (PSPF) and the Australian Signals Directorate (ASD) guidelines.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with one or more of the following attributes:

\r\n\r\n
    \r\n\t
  • Strong understanding of networking fundamentals, including TCP/IP, DNS, DHCP, and routing protocol.
  • \r\n\t
  • Familiarity with network security concepts, including firewalls, VPNs, and intrusion detection.
  • \r\n\t
  • Experience with network/system management tools.
  • \r\n\t
  • Strong analytical and problem-solving skills.
  • \r\n\t
  • Ability to work effectively in a team environment.
  • \r\n\t
  • Industry certifications such as Cisco CCNA or equivalent, ITIL Foundation in IT Service Management are advantageous.
  • \r\n\t
  • Previous experience in COMSEC Account Manager roles is advantageous.
  • \r\n\t
  • Relevant tertiary qualifications in information technology, computer science or related disciplines preferred.
  • \r\n\t
  • Up to 2 years experience in network/system administration or engineering is desirable.
  • \r\n\t
  • Open to recent graduates
  • \r\n
\r\n\r\n

In addition, it is desirable for Network Administrator applicants to be able to demonstrate experience in one or more of the following:

\r\n\r\n
    \r\n\t
  • Cisco routing, switching and access platforms IOS XE, SD-WAN, Catalyst.
  • \r\n\t
  • Cisco Data Centre platforms NX-OS and ACI.
  • \r\n\t
  • Cisco security and management platforms ISE, Firepower, DNAC.
  • \r\n\t
  • Cisco UC Platforms Call Manager, Cisco Meeting Server.
  • \r\n\t
  • Cloud (Azure, AWS, etc).
  • \r\n\t
  • Palo Alto Firewalls.
  • \r\n\t
  • SolarWinds, Splunk.
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available. Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.
  • \r\n
\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra, Sydney and Melbourne. Relocation assistance is provided to successful candidates where required. 
\r\n
\r\nHow to apply

\r\n\r\n
    \r\n\t
  • Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:
  • \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements of the role.
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 27 January 2025, 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 
\r\n
\r\nEmployment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.viewFullSingle?in_organid=12852&in_jnCounter=221300806&in_version=&in_jobDate=All&in_jobType=&in_residency=&in_graphic=&in_param=&in_searchbox=YES&in_recruiter=&in_jobreference=&in_orderby=&in_sessionid=&in_navigation1=&in_summary=S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-infrastructure-engineer-network-administrators-and-comsec-account-managers" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3aa" - }, - "title": "IT Support Intern", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Consulting with IT managers and other departments as required.
  • \r\n\t
  • Providing IT assistance to staff and customers.
  • \r\n\t
  • Training end-users on hardware functionality and software programs.
  • \r\n\t
  • Resolving logged errors in a timely manner.
  • \r\n\t
  • Monitoring hardware, software, and system performance metrics.
  • \r\n\t
  • Updating computer software and upgrading hardware and systems.
  • \r\n\t
  • Maintaining databases and ensuring system security.
  • \r\n\t
  • Documenting processes and performing diagnostic tests.
  • \r\n\t
  • Keeping track of technological advancements and trends in IT support.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A bachelor's degree in computer science, information technology, or similar.
  • \r\n\t
  • Exceptional ability to provide technical support and resolve queries.
  • \r\n\t
  • In-depth knowledge of computer hardware, software, and networks.
  • \r\n\t
  • Ability to determine IT needs and train end-users.
  • \r\n\t
  • Proficiency in IT helpdesk software, such as Freshservice and SysAid.
  • \r\n\t
  • Advanced knowledge of database maintenance and system security.
  • \r\n\t
  • Ability to keep up with technical innovation and trends in IT support.
  • \r\n\t
  • Exceptional interpersonal and communication skills.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

The internship offers a stipend if the skill level matches the requirements, along with supervised work experience and a training plan.

\r\n\r\n

Training & development

\r\n\r\n

Participants will receive performance appraisals, a reference letter, and a certificate of work experience.

\r\n\r\n

Career progression

\r\n\r\n

Successful interns may have the opportunity to work towards an Electronic Engineer position under supervision.

", - "company": { - "name": "Nexus Silicon Technologies", - "website": "https://au.prosple.com/graduate-employers/nexus-silicon-technologies", - "logo": "https://connect-assets.prosple.com/cdn/ff/IM88MzCwtvzaxD4us-BXBGmNA0XZCJOhMMeFlvt_ORU/1646692918/public/styles/scale_and_crop_center_80x80/public/2022-03/Logo-nexus-silicon-technologies-480x480-2022.jpg" - }, - "application_url": "https://careers-page.com/nexus-silicon-technologies-pty-ltd/job/L89W8XXR", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nexus-silicon-technologies/jobs-internships/it-support-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ab" - }, - "title": "Indigenous Internship Program", - "description": "

If you're looking for an opportunity to build your future, consider the intern opportunities at BHP and take the first step towards laying the foundation for a lifelong career. Why not you?

\r\n\r\n

We offer our Interns the opportunity to:

\r\n\r\n
    \r\n\t
  • Do paid work in diverse teams who will support, encourage, and help you build your technical skills for the future.
  • \r\n\t
  • Build your own professional network with a range of technical experts and graduates.
  • \r\n\t
  • Attend networking events with other interns and graduates.
  • \r\n\t
  • If your role is based on a mine site we cover your flights, accommodation, PPE clothing and meals.
  • \r\n
\r\n\r\n

About the Role

\r\n\r\n

As BHP Intern, you will be able to apply all you’ve learnt in real world situations and use your initiative to seek out projects to showcase your capability.

\r\n\r\n

As a successful intern you’ll get first access to our Australian Graduate Program opportunities or be invited back for another internship if you are in the earlier years of your degree.  

\r\n\r\n

What we are looking for

\r\n\r\n

We are looking for people just like you to help produce essential resources for the energy transition, development of infrastructure, and a better world - both now and in the future.

\r\n\r\n

You’ll be a student who is between their second to penultimate year and is able to work with us for 10-12 weeks over the summer break. 

\r\n\r\n

You will be passionate about making a difference and the desire to learn more about the skills required to drive innovation and deliver outcomes as part of a team.

\r\n\r\n

Your degree could be from one of the following (but not limited) to:

\r\n\r\n
    \r\n\t
  • Engineering: Mining, Mechanical, Mechatronics, Electrical, Mine Geotechnical, Civil, Structural, Metallurgy / Minerals Processing, Chemical, Construction Management, Project Management, Instrumentation Control and Automation
  • \r\n\t
  • Science: Earth Science / Geology, Hydrogeology, Environmental, Physics, Chemistry, Spatial Science (Surveying), GIS
  • \r\n\t
  • Health Science: Safety, Health
  • \r\n\t
  • Technology: Computer Science, Data Science, Cybersecurity, Maths and Statistics
  • \r\n\t
  • Business: Commerce. Finance, Accounting
  • \r\n
\r\n\r\n

As our Intern opportunities for engineering and science are residentially based near our mining operations or will require you to work on a Fly-In-Fly-Out (FIFO) roster, it is important that you’ll be willing to consider either of these arrangements to undertake an Intern role. Roles such as Technology and Finance will support our operations from our city locations, but they are never far from the action.

\r\n\r\n

About Our Process 

\r\n\r\n

At BHP, we are committed to employing individuals who align with the BHP Charter Values and meet the requirements of the role. As part of the recruitment process, there are a number of checks which may be conducted to demonstrate applicants suitability for a role including police / criminal background checks, medical, drug and alcohol testing, due diligence checks, right to work checks, and/or reference checks. 

\r\n\r\n

Supporting a Diverse Workforce

\r\n\r\n

At BHP, we recognise that we are strengthened by diversity. We are committed to providing a work environment in which everyone is included, treated fairly and with respect. We are an Equal Opportunity employer and we encourage applications from women and Indigenous people.

\r\n\r\n

In Australia, our Reconciliation Action Plan reflects how we seek to contribute to long-term economic empowerment, social development priorities and cultural well-being of Indigenous peoples in Australia. 

\r\n\r\n

We are committed to respecting Indigenous peoples, listening to Indigenous voices and perspectives, and working collaboratively with Indigenous stakeholders and partners.

\r\n\r\n

In addition, we're dedicated to combating workplace racism through initiatives like cross-cultural training, and we provide on-site support through culturally appropriate Indigenous workforce programs, led by our Indigenous Employment team. 

\r\n\r\n

For more information on a career with BHP, visit: Indigenous peoples and BHP | BHP

", - "company": { - "name": "BHP", - "website": "https://au.prosple.com/graduate-employers/bhp", - "logo": "https://connect-assets.prosple.com/cdn/ff/di-cWydyMYcR4mUYXyfNn-JjvxhsGJgtFzOASZbb3Yk/1679636641/public/styles/scale_and_crop_center_80x80/public/2023-03/1679636637256_bhp_orn_rgb_pos%20copysquare.jpg" - }, - "application_url": "https://careers.bhp.com/job/2024-Australian-Indigenous-Intern-Campaign-1/1138944400/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bhp/jobs-internships/indigenous-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-08T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD", "SA", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ac" - }, - "title": "Data Analytics Graduate Program", - "description": "

McGrathNicol is a specialist Advisory and Restructuring firm, helping businesses improve performance, manage risk, and achieve stability and growth. 

\r\n\r\n

Our Data Analytics team bring together the disciplines of computer science, mathematics, statistics, econometrics, business intelligence and financial accounting with decades of combined cross-industry experience. We are seeking students with a passion and genuine interest in Data Analytics. A level of understanding or experience with Python, R, SQL, PowerBI and Alteryx is preferred but not essential. 

\r\n\r\n

What we offer you

\r\n\r\n
    \r\n\t
  • We offer a unique opportunity to work closely with senior staff and Partners, learning and gaining valuable insights from some of the best in the industry. You will also have a Buddy, Counselling Manager and Counselling Partner dedicated to supporting and investing in you from day one.
  • \r\n\t
  • Our people are passionate, driven, inclusive and collaborative. Continuous development is engrained in our culture and we have robust development and reward frameworks to support performance and progression, including tailored formal training throughout your career to complement real-time coaching and feedback.
  • \r\n\t
  • Our Graduate Development Program is expertly designed to provide you with the technical knowledge and professional skills you need to launch your career at McGrathNicol. Over the course of your first 12 months, you will build a deep understanding of the firm and develop strong relationships with your national graduate cohort through a mix of online and in-person sessions, including key intensive 'grad camp' events throughout the year.
  • \r\n\t
  • We work and celebrate as a team. Build connections by working across our services, attending regular social events and participating in firm-organised charity days, retreats and wellbeing initiatives.
  • \r\n
\r\n\r\n

Who you are

\r\n\r\n
    \r\n\t
  • either an Australian / New Zealand Citizen or Australian Permanent Resident at the time of submitting your application;
  • \r\n\t
  • in your final year of (or recently graduated with) a STEM related bachelor’s or master’s degree, preferably with a Data Science/Analytics, Business Analytics, Mathematics, Statistics, Econometrics, Actuarial Science related degree or major; and
  • \r\n\t
  • available to commence full-time work in February 2026.
  • \r\n
\r\n\r\n

Interested? 

\r\n\r\n

Pre-register now to get notified when the opportunity is open. If you would like further information, please contact our national HR team.

", - "company": { - "name": "McGrathNicol", - "website": "https://au.prosple.com/graduate-employers/mcgrathnicol", - "logo": "https://connect-assets.prosple.com/cdn/ff/qkRtYvrlqcH29nFwt30_QSZ_GTUAWYfH6Y_knAHlTBg/1565765303/public/styles/scale_and_crop_center_80x80/public/2019-08/Logo-McGrathNicol-240x240-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mcgrathnicol/jobs-internships/data-analytics-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "WORK_VISA", - "NZ_CITIZEN" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ad" - }, - "title": "Graduate QA Engineer", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Write, maintain, and review test cases and documents.
  • \r\n\t
  • Participate in understanding requirements and capturing test scenarios for adequate coverage.
  • \r\n\t
  • Collaborate with game developers to reproduce edge cases and field issues.
  • \r\n\t
  • Demonstrate complete project ownership from kickoff to handoff.
  • \r\n\t
  • Execute manual ad hoc scenarios and integration testing.
  • \r\n\t
  • Maintain high standards of accuracy, thoroughness, and timeliness.
  • \r\n\t
  • Be self-accountable and demonstrate integrity in daily duties.
  • \r\n\t
  • Perform game functionality testing during development to ensure quality.
  • \r\n\t
  • Manage and coordinate defect management efficiently.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A Bachelor’s degree in computer science, engineering, or a related field.
  • \r\n\t
  • A team-oriented mindset with a passion for collaboration.
  • \r\n\t
  • Knowledge of Linux OS, Unity, and XML.
  • \r\n\t
  • Familiarity with OO programming languages like C# and C++.
  • \r\n\t
  • Experience with bug tracking tools.
  • \r\n\t
  • Awareness of and adherence to Quality Assurance practices.
  • \r\n\t
  • Excellent analytical and problem-solving skills.
  • \r\n\t
  • A proactive, positive attitude.
  • \r\n\t
  • Strong communication skills and attention to detail.
  • \r\n\t
  • Slot game testing experience is a plus.
  • \r\n\t
  • Candidates must be Australians citizens or Permanent Residents.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary with potential bonuses. Enjoy a dynamic work environment in a growing company.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for professional development and mentorship to enhance your skills and career growth.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within AGS, with opportunities to grow in the QA field over the next few years.

\r\n\r\n

Report this job

", - "company": { - "name": "American Gaming Systems Australia", - "website": "https://au.prosple.com/graduate-employers/american-gaming-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/FmwtiJsblvZzIg9gJQsTBYhbErp-yP-pv4euIc3xTEU/1737133863/public/styles/scale_and_crop_center_80x80/public/2025-01/logo-american-gaming-systems-australia-450x450-2024.png" - }, - "application_url": "https://jobs.jobvite.com/agscareer/job/ouGQufwe", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/american-gaming-systems-australia/jobs-internships/graduate-qa-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ae" - }, - "title": "Project Management Graduate Program", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value. Find out more about ASIOs commitment to diversity and inclusion on our website.

\r\n\r\n

The opportunity

\r\n\r\n

Are you seeking a career at an intelligence agency where you can contribute and make a difference to the security of Australia? Do you have an interest in coordinating the delivery and implementation of emerging, cutting edge technologies and capabilities?

\r\n\r\n

ASIO’s Project Management Graduate Program is a dynamic 12-month program, commencing early 2026. We are seeking university students who will have completed their degree before the intake commences, or graduates from the past 3 years, who are looking for a meaningful career in Project Management. Fields of study we are looking for include, but are not limited to:

\r\n\r\n
    \r\n\t
  • Project Management.
  • \r\n\t
  • Technology.
  • \r\n\t
  • Business.
  • \r\n
\r\n\r\n

As a graduate, you will complete specialised internal training in project management as well as receiving on-the-job mentoring in capability management, ICT project delivery, practices and policies. The program will showcase the breadth of work that ASIO undertakes and set you on a pathway for a career with purpose.

\r\n\r\n

On successful completion of the program, you will be promoted to the ASIO Employee Level 5 (APS5 equivalent). 

\r\n\r\n

During the 12-month graduate program, you will:

\r\n\r\n
    \r\n\t
  • Undertake multiple placements across the Technology and Data Division, giving you opportunities to develop professional networks across multiple business areas, whilst delivering a wide range of capabilities across multiple domains.
  • \r\n\t
  • Be supported throughout the program by a dedicated mentor and have access to a range of organisational support mechanisms.
  • \r\n\t
  • Develop and refine your project management skills by:\r\n\t
      \r\n\t\t
    • Assisting in planning, and implementing the delivery of critical projects;
    • \r\n\t\t
    • Working on projects at all stages of the project lifecycle, including; inception, planning, delivery and closure;
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Ensuring your project remains relevant in a technology rich environment;
  • \r\n\t
  • Communicating effectively in a fast-paced and exciting environment; and 
  • \r\n\t
  • Competently using numerous ASIO information systems to deliver the required organisational outcomes.
  • \r\n
\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Project Management Graduate, you will:

\r\n\r\n
    \r\n\t
  • Support ASIO’s professional Project Managers to deliver state-of-the-art technology projects;
  • \r\n\t
  • Assist in providing up-to-date project status to stakeholders, users and ASIO executives;
  • \r\n\t
  • Work collaboratively with stakeholders and other project professionals to identify and document stakeholder needs and requirements, and contribute to the development of capability requirements;
  • \r\n\t
  • Contribute to the identification, assessment and project risk management activities to enable project success;
  • \r\n\t
  • Contribute to tracking project finances, including preparing documentation, and seeking approval to spend Commonwealth funds;
  • \r\n\t
  • Utilise ICT systems to create, organise, assess, store and share critical project and technology information;
  • \r\n\t
  • Contribute to monitoring document security and assess risks to information security;
  • \r\n\t
  • Assist with the planning of project activities, establishing task plans, identifying work breakdown, including updating project schedules and key project documentation; and
  • \r\n\t
  • Build and sustain effective relationships with teams across diverse work domains such as IT, security, operations, finance, HR and facilities management.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes:

\r\n\r\n
    \r\n\t
  • An interest in further developing your project management skills and starting a career as a project management professional;
  • \r\n\t
  • Strong problem solving and analytical skills;
  • \r\n\t
  • A willingness to learn and assist others;
  • \r\n\t
  • Enthusiasm and willingness to work collaboratively;
  • \r\n\t
  • Strong communication and organisational skills; and 
  • \r\n\t
  • Personal qualities that exemplify ASIO’s values and expected behaviors.
  • \r\n
\r\n\r\n

 What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • Significant training and development opportunities.
  • \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance.
  • \r\n
\r\n\r\n

        Please note: 

\r\n\r\n
    \r\n\t
  • Due to our unique working environment, work from home options are generally not available.
  • \r\n\t
  • During the Graduate Program, part-time working arrangements may be considered on a case-by-case basis and may require extension of the program in order to be accommodated.
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Tailored mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Have completed your degree before the program commences, or graduated in the past 3 years.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

Reasonable adjustments

\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment for candidates to participate within all stages of the selection process. These opportunities may include reasonable adjustment to assessment methodologies to enable full participation. Please let us know if you require any additional assistance or reasonable adjustments during any stage of the recruitment process in order to fully participate in the recruitment process or the workplace. 

\r\n\r\n

Location

\r\n\r\n

The Project Management Graduate Program is Canberra-based and applicants must be willing to relocate. Relocation assistance is provided to successful candidates. 

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch, addressing the following questions (no more than 500 words):\r\n\t
      \r\n\t\t
    • Why are you applying for the Project Management Graduate Program?
    • \r\n\t\t
    • What skills, knowledge and experience will you bring to the Organisation?
    • \r\n\t\t
    • Why have you chosen a career in ASIO?
    • \r\n\t
    \r\n\t
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history including dates, a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • A copy of your academic transcript.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n
\r\n\r\n

*Your written pitch should reference ASIO’s People Capability Framework and with consideration of the role description and classification level you are applying for.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 7 April 2025 at 5:00 pm AEDT

\r\n\r\n

No extensions will be granted and late applications will not be accepted. 

\r\n\r\n

The Recruitment Selection Process – what to expect

\r\n\r\n

We thank all applicants for their interest in applying for the Project Management Graduate Program. Please be advised that our selection process is rigorous and extensive. 

\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. The stages themselves may include; application submission, eligibility checks, online testing, skills-based assessment and panel discussion.

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

We ask all applicants for their patience throughout the process. Once complete, we will notify unsuccessful candidates but will not provide feedback on any aspect of the selection process.

\r\n\r\n

The Recruitment Selection Process – Timeframes

\r\n\r\n

As we are recruiting for early 2026 intakes, candidates can expect the following approximate timeframes for the recruitment selection process:

\r\n\r\n
    \r\n\t
  • Program advertised – from December 2024 to April 2025.
  • \r\n\t
  • Assessment Centers – May to June 2025.
  • \r\n\t
  • Notification to candidates – June to August 2025.
  • \r\n\t
  • Program commences – early 2026.
  • \r\n
\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/project-management-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T07:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3af" - }, - "title": "Ratings and Research Support Intern - Infrastructure", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Support analytical teams with day-to-day research and analysis.
  • \r\n\t
  • Contribute to research, data, and process-related projects.
  • \r\n\t
  • Collect data and identify trends for credit conclusions.
  • \r\n\t
  • Prepare financial documents, charts, and presentations.
  • \r\n\t
  • Monitor media for news on special projects or portfolios.
  • \r\n\t
  • Assist in creating high-quality research publications.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will have:

\r\n\r\n
    \r\n\t
  • Ability to commit at least 3 workdays per week.
  • \r\n\t
  • A background in accounting or statistics, with strong analytical skills.
  • \r\n\t
  • Proficiency in MS Excel, Word, and PowerPoint.
  • \r\n\t
  • Excellent verbal, written communication, and interpersonal skills.
  • \r\n\t
  • Ability to work independently, adapt to change, and prioritize tasks.
  • \r\n\t
  • Strong organizational skills and attention to detail.
  • \r\n\t
  • Students matriculating through college, studying towards a Bachelor’s Degree, or equivalent qualification, or a Master’s Degree, in Finance, Accounting, Economics, Political Economy, International Relations, Statistics, or another quantitative field.
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

Moody’s offers a developmental culture with opportunities for growth, professional development programs, and mentorship.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within Moody’s, with opportunities to grow in analytical and research roles.

\r\n\r\n

Report this job

", - "company": { - "name": "Moody's Corporation Australia", - "website": "https://au.prosple.com/graduate-employers/moodys-corporation-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/AR7kXxT8SA0NYEQ1lNGD9RN9dYw6IfhjNV9GM_NlQ2U/1731990922/public/styles/scale_and_crop_center_80x80/public/2024-11/logo-moodys-corporation-australia-450x450-2024.png" - }, - "application_url": "https://careers.moodys.com/ratings-and-research-support-intern-infrastructure/job/28735673", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/moodys-corporation-australia/jobs-internships/ratings-and-research-support-intern-infrastructure" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["OTHERS", "AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b0" - }, - "title": "Risk Vacationer Program", - "description": "

Why choose Risk as a vacationer? 

\r\n\r\n

Balancing risk and reward is a fine art. It’s not just about identifying risks, but also innovative solutions. It’s being compliant but also competitive. Vacationer roles in risk are an opportunity to help organisations plan for and tackle what’s around the next corner, and the one after that too. You could be digging into model data to predict event likelihood, identifying measures to keep vulnerable people safe, or investigating opportunities to maximise investments in governance technology. 

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialities, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Business, Consulting & Risk pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be forensic accountants working alongside a supply chain specialist and human rights experts. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, as well as the delivery of the solution your client selects. 

\r\n\r\n

Explore the types of work you could do in more detail.

\r\n\r\n

About the vacationer program

\r\n\r\n

For students in their second-last year of study in 2025 

\r\n\r\n
    \r\n\t
  • Applications close 14th April 2025
  • \r\n\t
  • Job offers made in May
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work approx. November with a job for 4-8 weeks to learn real-world work skills during your study vacation time
  • \r\n\t
  • Opportunities to move directly into our graduate program: a one-year program after you graduate with targeted coaching, support and development.
  • \r\n
\r\n\r\n

What vacationers and grads say

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad) 

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

I’m truly part of the team working on the project. My team support me to give things a try and learn as I work. (Matt, 2023 vacationer) 

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the 5 minute application form. If you’re eligible, you’ll receive our online testing information. Interviews are conducted in person across May.

\r\n\r\n

During your recruitment journey, information will be provided about adjustment requests. If you require additional support before submitting your application, please contact our Talent Support Team - email: gradrecruiting@kpmg.com.au   

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTS", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/risk-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-14T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b1" - }, - "title": "Technology Consulting Graduate Consultant", - "description": "

MinterEllison is one of Australia’s largest legal and consulting firms, with nearly 200 years of business history.  We're known for our legal and consulting expertise - and our inclusive and authentic character.
\r\n 
\r\nOur purpose is to create sustainable value with our clients, people and communities.  That means we have a proud history of providing excellence to clients, nurturing our people and giving back to the communities in which we live and work.

\r\n\r\n

MinterEllison's Consulting services are leading strategic advisors ready to design, develop and operationalise with clients.  Businesses need integrated capabilities to solve complex organisational problems.  We've brought together an unmatched team of experts under one roof with deep industry knowledge and commercial experience who are focused on designing, developing and operationalising solutions in the service areas of Technology, Cyber Security, Risk & Regulatory, Legal Optimisation, Education and Environmental Social Governance.  

\r\n\r\n

As a Technology Consulting Graduate, you will join a high-performing team with talented and supportive professionals who will help you learn and challenge you to grow.
\r\n 
\r\nWe are looking to hire five graduates in our Canberra office. You will have the opportunity to engage with a broad range of high-profile clients and be responsible for specific components of a project including:

\r\n\r\n
    \r\n\t
  • Gathering and analysing data (interviews and research)
  • \r\n\t
  • Supporting clients to define their requirements
  • \r\n\t
  • Articulating analysis findings
  • \r\n\t
  • Assisting with developing insights and recommendations
  • \r\n\t
  • Taking ownership of tasks and providing timely delivery
  • \r\n\t
  • Keeping the project lead appraised of issues, risks and findings
  • \r\n\t
  • Building strong internal and external relationships on client site
  • \r\n\t
  • Data administration and administration of meetings with key stakeholders
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible for the program, you are required to:

\r\n\r\n
    \r\n\t
  • Be a recent graduate or have completed your undergraduate degree in the last 2 years - you must attach a copy of your most recent academic transcript
  • \r\n\t
  • Have solid academic results, preferably within the following disciplines; Information Technology or Computer Science, Finance, Economics,  Business or Commerce, Mathematics, Actuarial Studies, and Law. A double degree in a combination of the above disciplines would be favourable but is not essential
  • \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Be able to obtain an Australian government security clearance
  • \r\n\t
  • Have highly developed analytical skills with a passion for solving complex IT and business problems
  • \r\n\t
  • Demonstrate strong interpersonal and people management skills
  • \r\n\t
  • Have solid Excel and PowerPoint skills
  • \r\n
\r\n\r\n

Why MinterEllison

\r\n\r\n

Excellence, curiosity and collaboration are at the core of our culture. We foster growth and development in our people, creating an environment where our people can excel and achieve their ambitions.  We drive market-leading innovation and are at the forefront of technology and transformation in the legal industry.  

\r\n\r\n

We offer a range of benefits to encourage well-being and support for sustainable ways of working as well as social, financial and health benefits, including free gym membership.

\r\n\r\n

How to Apply

\r\n\r\n

We encourage applications from people of all ages, abilities, cultural backgrounds, genders (including trans or gender diverse), LGBTQ+ people and those with carer responsibilities. We particularly encourage Aboriginal and Torres Strait Islander people to apply.

\r\n\r\n

We prefer to connect with people directly, so please submit your application by clicking on the 'Apply' button. Your application will also enable us to consider you for other opportunities that may be available at MinterEllison. Please note, that all applications must include a copy of your recent academic transcript.

\r\n\r\n

If you would like further information, require any adjustments throughout the recruitment process or for a confidential discussion, please contact  Laura.Miletovic@minterellison.com.

", - "company": { - "name": "MinterEllison", - "website": "https://au.prosple.com/graduate-employers/minterellison", - "logo": "https://connect-assets.prosple.com/cdn/ff/hzA-wAfZ87w7Jt0pCKwmNd0YUMLgjcqs9FwM9BHAAUY/1649376788/public/styles/scale_and_crop_center_80x80/public/2022-04/logo-minterellison-480x480-2022.png" - }, - "application_url": "https://careers.minterellison.com/job/Canberra-2025-Technology-Consulting-Graduate-Consultant/1055587766/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/minterellison/jobs-internships/technology-consulting-graduate-consultant-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-28T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b2" - }, - "title": "Business Internships", - "description": "

We offer first-class transnational Business internships in companies of all sizes, from large multinational corporations to exciting start-ups. Fuel your passion for business and propel your career to the global stage with our prestigious international internship program!  

\r\n\r\n

Overview

\r\n\r\n

Our program is ideal for enterprising individuals seeking to launch a successful career in the dynamic world of international business. Join a global network of 15,000+ alumni.

\r\n\r\n

Develop a competitive edge by acquiring the in-demand skills employers actively seek in today's globalized business landscape. Showcase your talent and dedication to potential employers through hands-on experience alongside industry leaders.  

\r\n\r\n

Tailored to your specific interests, our award-winning program offers internships across diverse leading companies, from established multinationals to innovative start-ups. Gain invaluable real-world experience in core business functions like sales & marketing, continuous improvement, and business development.

\r\n\r\n

Don't miss this opportunity to distinguish yourself! Embark on your international business internship journey today and unlock your full potential as a future leader.

\r\n\r\n

Responsibilities

\r\n\r\n

Some responsibilities that you may have whilst completing a Business internship program include:

\r\n\r\n
    \r\n\t
  • Build partnerships to connect clients (domestic & international)
  • \r\n\t
  • Research & analyze competitors to inform strategic decisions
  • \r\n\t
  • Audit internal processes & suggest improvements
  • \r\n\t
  • Manage website (SEO, digital media, brand, & sales)
  • \r\n
\r\n\r\n

Available programmes 

\r\n\r\n

In-Person Business Internships: Combine first-class professional experience and culture immersion with an in-person internship in overseas cities.

\r\n\r\n

Blended Business Internships: Spend four weeks working abroad then continue remotely with the same company anywhere in the world. This program offers flexibility and accessibility for those who don't want to live overseas for long periods.

\r\n\r\n

Remote Computer Business Internships: Make your resume shine and grow your network, wherever you are - all you need is your laptop. Our virtual internship program includes a remote internship to fit your schedule, best-in-class career advancement training, and twelve-month access to exclusive, real-time keynote career talks from global business leaders.

\r\n\r\n

Digital Nomad Business Internships: Travel to an exciting international destination and work remotely. Live and work like a local!

\r\n\r\n

What’s Included

\r\n\r\n
    \r\n\t
  • Guaranteed internship
  • \r\n\t
  • Exclusive workshop series
  • \r\n\t
  • Professional development materials
  • \r\n\t
  • Career advancement training
  • \r\n\t
  • Global community & network
  • \r\n\t
  • Alumni success coaching
  • \r\n\t
  • CV improvement tool
  • \r\n\t
  • 24/7 support
  • \r\n\t
  • Visa support
  • \r\n\t
  • Accommodation (if applicable)
  • \r\n\t
  • Airport pickup
  • \r\n\t
  • Cultural & social events
  • \r\n
\r\n\r\n

Duration

\r\n\r\n

Between 4 and 24 weeks, depending on the program and destination. 

\r\n\r\n

Start Dates

\r\n\r\n

You can start your internship when it suits you after your payment has been confirmed. We offer internship start dates every month, all year round.

\r\n\r\n

Time Commitment 

\r\n\r\n

In-person programs usually demand a full-time commitment for your internship. 

\r\n\r\n

Remote and Digital Nomad programs can be full-time or part-time. 

\r\n\r\n

About The Intern Group

\r\n\r\n

With over 1,000+ five-star reviews, The Intern Group is the leading provider of award-winning internship programs, online and abroad, in the USA, Europe, Asia, Australia, and Latin America. Become part of our 15,000+ global alumni network and embark on your international business journey today to unlock your full potential!

\r\n\r\n

How to apply

\r\n\r\n

To apply for this role and to find out more about our fees, please click on the apply button.

\r\n\r\n

What our Alumni Say 

\r\n\r\n

“Really, the community that the intern group fostered is what made my experience so exceptional. Being in an amazing new city like Madrid with a huge group of like-minded young people - people who quickly became my friends - was a life-changing experience for me. Our Experience Coordinator quickly became part of the family and was always quick to respond if we needed any help. I would highly recommend taking this opportunity to explore the world and make new connections if you're taking a gap year.” 

\r\n\r\n

Alessandro S. 

", - "company": { - "name": "The Intern Group", - "website": "https://au.prosple.com/graduate-employers/the-intern-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/eQleSVghhvk_LG2rXFspoPUA6h8dgBHD4P2tjRF1cdg/1568193304/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-The-Intern-Group-120x120-2019.jpg" - }, - "application_url": "https://theinterngroup.com/career-fields/international-business-internships?utm_source=prosple&utm_medium=listing-page&utm_campaign=third-party-advertisers&utm_content=business", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/the-intern-group/jobs-internships/business-internships" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b3" - }, - "title": "IT Operations Graduate Programme - Hong Kong", - "description": "We’re looking for 10 ambitious graduates to work on exciting projects within the client's Change & Onboarding team. Don't miss this chance to be part of a global leader and make your mark in the financial world.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/435/it-operations-graduate-programme--hong-kong.html?utm_source=gradconnection&utm_medium=jobad&utm_campaign=grad_it_ops&utm_content=hk_", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-it-operations-graduate-programme-hong-kong-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b4" - }, - "title": "Graduate Data Analyst", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, develop, and document data mappings and flows for database integration.
  • \r\n\t
  • Support and maintain essential business processes.
  • \r\n\t
  • Manage projects on the MillROC platform, ensuring data integrity and model accuracy.
  • \r\n\t
  • Collaborate with Principal Consultants and Data Architects to meet standards and project scopes.
  • \r\n\t
  • Propose data-driven solutions and assist with database maintenance and error identification.
  • \r\n\t
  • Enhance data organization and visualization, contributing to industry performance benchmarking.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A tertiary qualification in Data Science, Computer Science, or Mathematical Sciences.
  • \r\n\t
  • Proficiency in Excel, preferably with VBA, and basic programming knowledge.
  • \r\n\t
  • Strong problem-solving skills and experience with Javascript, Grafana, SQL Server, and Power BI.
  • \r\n\t
  • A background in statistical analysis and experience with time-series data.
  • \r\n\t
  • Machine learning experience or training is advantageous.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Orway offers a competitive benefits package, including flexible work arrangements and access to discounts at numerous Australian retailers.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Orway invests in long-term career development, offering mentorship and opportunities to work on diverse projects with industry experts.

\r\n\r\n

Career progression

\r\n\r\n

Expect growth through involvement in large projects and skill development, supported by a strong company culture focused on career advancement.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your CV by following the application process outlined by Orway Mineral Consultants.

\r\n\r\n

Report this job

", - "company": { - "name": "Lycopodium", - "website": "https://au.prosple.com/graduate-employers/lycopodium", - "logo": "https://connect-assets.prosple.com/cdn/ff/4IS5t3DHLb5M-zT3YV9DmcuhfnBAXyCaAOCB8ddUHnA/1591689090/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-lycopodium-480x480-2020.jpg" - }, - "application_url": "https://www.livehire.com/careers/lycopodium/job/EQPYQ/00XEFTX6YU/graduate-data-analyst", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/lycopodium/jobs-internships/graduate-data-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b5" - }, - "title": "Graduate - Business Advisory", - "description": "

Your role

\r\n\r\n

They are the Advisory Division within a mid-tier accounting practice that provides the Firm’s clients with specialised consulting services ranging from improved business performance capabilities to next-generation IT software to M & A advice.

\r\n\r\n

Camphin Boston is recognised as an exciting Firm with a great culture and will provide you with continuous challenging assignments.

\r\n\r\n

About you

\r\n\r\n

They have a need for someone who is passionate about making a difference and who would like to join their team working to create and develop opportunities for clients and team members to remain relevant in tomorrow’s world.

\r\n\r\n

Your skills and attributes for success

\r\n\r\n
    \r\n\t
  • They are seeking like-minded individuals who have a passion for business improvement and adding value.
  • \r\n\t
  • You will have obtained a Degree that will reflect an aptitude for this discipline.
  • \r\n\t
  • You will have an inquisitive mind by nature and be very conscientious and have exceptional analytical and critical thinking skills, process mapping, engineering and systems automation will be highly regarded.
  • \r\n\t
  • You will report to the Advisory Team and receive significant training and mentoring
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Camphin Boston is a firm that believes in work-life balance, they offer flexible workplace solutions, continually evolve, and provide you with the tools to work from anywhere. Their social committee ensures you receive the perfect balance between work and getting to know your colleagues. They host a variety of functions throughout the year, from Amazing Race challenges to cooking classes and coffee chat-ups. You can also connect, grow and develop your business network through Camphin Boston’s Alumni.

\r\n\r\n

Training & development

\r\n\r\n

Your career growth and development

\r\n\r\n
    \r\n\t
  • Map out a clear career pathway.
  • \r\n\t
  • Continued support of you through their Development Training and Mentor Programs.
  • \r\n\t
  • This is a wonderful opportunity to begin your career in a growing and highly sought-after sector of business.
  • \r\n\t
  • They offer a great culture made up of like-minded individuals who enjoy the challenges and fun.
  • \r\n\t
  • They aim to be a firm that cares for their people and they encourage all to be involved in pro bono/social issues.
  • \r\n
\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • camphinboston.com.au/
  • \r\n\t
  • camphinboston.com.au/working-at-cb
  • \r\n
", - "company": { - "name": "Camphin Boston", - "website": "https://au.prosple.com/graduate-employers/camphin-boston", - "logo": "https://connect-assets.prosple.com/cdn/ff/fbbyGIgq_cHh5yREttaFQXKfHzus7ZNOCS-x6RZjFXw/1684931883/public/styles/scale_and_crop_center_80x80/public/2023-05/logo-CamphinBoston-240x240-2023.jpg" - }, - "application_url": "https://www.camphinboston.com.au/graduate-business-advisory", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/camphin-boston/jobs-internships/graduate-business-advisory" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b6" - }, - "title": "Internship Program: Software Engineering", - "description": "

Your role

\r\n\r\n

2025/26 Software Engineering Summer Internship

\r\n\r\n
    \r\n\t
  • Summer Internship: Nov 2025- Feb 2026
  • \r\n\t
  • Paid 12 weeks internship (extensions available for placement programs)
  • \r\n\t
  • Amazing learning & training program
  • \r\n\t
  • Real projects & work
  • \r\n\t
  • Mentor and buddy program
  • \r\n\t
  • Opportunity to join us as a graduate 
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Requirements:

\r\n\r\n
    \r\n\t
  • Australian citizenship
  • \r\n\t
  • Studying a Bachelor of Software Engineering, Computer Science, or equivalent degree
  • \r\n\t
  • GPA 6.0 or higher
  • \r\n\t
  • In your penultimate (second last year) in 2025
  • \r\n\t
  • Graduating in 2026 (mid or end-of-year)
  • \r\n\t
  • Living in Adelaide, South Australia- this is an in-person internship
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Fivecast's space has been specifically engineered for brainstorming, idea generation, random encounters across teams and to suit the casual, relaxed culture. This has been achieved through amazing features, including an arcade room, pool table, fully equipped kitchens with fruit and snacks, barista quality coffee machine, end-of-trip facilities (showers, lockers, bike storage, etc), as well as comfortable breakout spaces.
\r\n
\r\nFivecast has a connected work culture with team members taking advantage of the social clubs, local cafes, bars, pubs, and sporting facilities for team activities. At Fivecast, they support flexible work arrangements, have dedicated training programs, and clear progression pathways to grow with them.

\r\n\r\n

Training & development

\r\n\r\n

Join Fivecast in their mission to enable a safer world and grow your career in a fast-paced, dynamic high-tech environment with a great work culture. As a growing start-up, all team members are provided with the opportunity to contribute directly to its success.

\r\n\r\n

Source

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • fivecast.com/careers/
  • \r\n
", - "company": { - "name": "Fivecast", - "website": "https://au.prosple.com/graduate-employers/fivecast", - "logo": "https://connect-assets.prosple.com/cdn/ff/BbhVvBRKM4oE4NmsV4VhkCkYh6A3SFLa9BKDnFvwbms/1710914062/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-Fivecast-480x480-2024.jpg" - }, - "application_url": "https://www.fivecast.com/careers/job-vacancies/?ja-job=805607", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fivecast/jobs-internships/internship-program-software-engineering" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b7" - }, - "title": "Vacationer Program", - "description": "

We’ll be in touch to let you know when applications are opening for our programs.

\r\n\r\n

Want to know a little more about the program?

\r\n\r\n

Throughout the program, you’ll hit the ground running with dedicated on-the-job training, coaching and technology onboarding. You’ll work alongside EY professionals on real clients – right now. You’ll get the opportunity to be immersed in EY culture, network with EY people, and experience the transformative work done for EY clients. Plus, the best bit is, if you impress us we’ll offer you a permanent position after you graduate. We’re currently looking for students from a range of degrees.

\r\n\r\n

To be eligible for our Vacationer Program, you’ll need to be 

\r\n\r\n
    \r\n\t
  • In the penultimate year of your degree
  • \r\n\t
  • An Australian or New Zealand citizen, or an Australian permanent resident
  • \r\n
\r\n\r\n

Register your interest today!

", - "company": { - "name": "EY Australia", - "website": "https://au.prosple.com/graduate-employers/ey-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q-ppHhjKvVcdqlcWS4vjI8B0NgZ9yUA4Vn6H9RhMZvk/1731005483/public/styles/scale_and_crop_center_80x80/public/2024-11/1731005471825_EY_Logo_Beam_STFWC_Stacked_RGB_OffBlack_Yellow_EN_240x240.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ey-australia/jobs-internships/vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-23T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b8" - }, - "title": "HR Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/hr-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3b9" - }, - "title": "Graduate Integrated Logistics Support (ILS) Engineer", - "description": "

About BAE Systems:

\r\n\r\n

BAE Systems Australia develops the latest technologies, capabilities and infrastructure to protect the people of the Australian Defence Force. As a Graduate, you’ll play a role in helping us to deliver this, supporting multi-billion dollar programs across every Australian Defence domain – air, land, sea and space. 

\r\n\r\n

About Our Graduate Program:

\r\n\r\n

Our Graduate program follows a 2+1 structure. 

\r\n\r\n

This provides two years of structured development followed by a tailored (to you) third year which focuses on leadership, innovation and/or focussed development activities that Graduates can select to build their own careers in speciality areas.

\r\n\r\n

Our Graduates enjoy tailored career plans, extensive training and development opportunities, mentoring and competitive salaries.  Our passion for inclusion, respect and support will ensure your career has the best start possible. 

\r\n\r\n

Throughout our 2+1 Program, you will enjoy structured development, annual salary reviews and the mentoring of a Graduate Program Support Manager.  Your career will be off to a great start, as our program provides Graduates with meaningful, challenging work, and will provide you with an enriched development experience.

\r\n\r\n

We provide more choices and opportunity for career success and we couldn’t be more excited!

\r\n\r\n

About the Opportunity:

\r\n\r\n

As a Graduate within our Integrated Logistics Support (ILS) function, whilst developing yourself, you will provide support and assistance to Managers, teams and projects within the business. 

\r\n\r\n

This position will be offered as a stream 1 option.

\r\n\r\n

As part of the graduate program, you will work in one project/department for the duration of your program. As a result, you’ll enjoy stability and the opportunity to develop deep knowledge of that domain.  Whilst your experiences will vary, this will be a non-rotational program.

\r\n\r\n

For more information on our Graduate program, please visit our BAE Systems - Early Careers site.

\r\n\r\n

As a Graduate ILS Engineer at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Work within a multi-disciplinary team to design, implement, integrate, and verify support solutions for mission and support systems to meet demanding customer requirements
  • \r\n\t
  • Develop support solutions to potentially maintain, operate, train and upgrade mission and support systems
  • \r\n\t
  • Assist with obsolescence and failure/defect investigations and supportability analysis
  • \r\n\t
  • Assist in preparing and maintaining ILS documentation, including technical publications
  • \r\n\t
  • Assist with ongoing validation of Logistic & Support Analysis Record data including the incorporation and impact assessment of engineering changes
  • \r\n\t
  • Comply with the requirements of the BAE Systems Quality Systems as they relate to your areas of activities
  • \r\n
\r\n\r\n

These opportunities will be available in:

\r\n\r\n
    \r\n\t
  • Adelaide, SA
  • \r\n
\r\n\r\n

About You:

\r\n\r\n

BAE Systems has a strong focus on operational excellence and business values. For this, you will demonstrate: 

\r\n\r\n
    \r\n\t
  • Strategic vision
  • \r\n\t
  • Adaptability
  • \r\n\t
  • Effective collaboration skills
  • \r\n\t
  • Honesty & integrity
  • \r\n
\r\n\r\n

To be eligible, you must be due to complete your studies in 2025 (or have already completed) a University degree qualification in an appropriate discipline. 

\r\n\r\n

You will also need demonstrated teamwork and communication skills coupled with a desire to grow and learn.  

\r\n\r\n

Due to the nature of our work, you'll also need to be an Australian Citizen and eligible for Australian Defence Security Clearance.

\r\n\r\n

What’s next? 

\r\n\r\n

Short listed applicants will be invited to participate in a 1-way video interview. Subsequent stages of the process will include a form of interview, either in person or virtually. Once this interview stage has been completed preferred candidates will be sent background screening and pre-employment health assessments. Once all checks have been completed, successful candidates will be notified, and as we are a Circle Back Initiative all other applicants will receive notification ether via email or phone call.

\r\n\r\n

We welcome and strongly encourage applications from women, Aboriginal and Torres Strait Islanders and Veterans for these opportunities.  An inclusive culture and an exciting, supportive start to your career awaits!

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225543058&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/graduate-integrated-logistics-support-ils-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-25T14:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ba" - }, - "title": "Software Engineering Practice", - "description": "You could play a vital role working with organisations at the forefront of tech innovation, from world-leading companies to government departments. Equipped with cutting-edge skills and programming languages, you’ll work closely with teams creating customised software solutions.", - "company": { - "name": "FDM Group Singapore", - "website": "https://au.gradconnection.com/employers/fdm-group-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/b8f3a509-8e79-460f-b81b-65ff2213d9a0-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/838/software-engineering-practice-singapore.html?utm_source=gradconnection&utm_medium=jobad&utm_campaign=grad_softeng&utm_content=sin_", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-sg/jobs/fdm-group-singapore-software-engineering-practice-7" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:55.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3bb" - }, - "title": "Software Development Engineer - Graduate or Entry-Level (24 months) - Auckland", - "description": "Amazon Auckland-based team is looking for passionate Graduate Software Development Engineers (SDEs) to join our team ASAP.", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2773647/2024-software-development-graduate-aws-auckland-nz", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-software-development-engineer-graduate-or-entry-level-24-months-auckland" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Engineering", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": ["NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3bc" - }, - "title": "Graduate Program (Accounting and Financial Management Stream)", - "description": "

At the Department of Education, our goal is to create a better future for all Australians through education.

\r\n\r\n

By supporting a strong early childhood education system, we help children prepare for school and families re-engage with work. Through education and learning, we change lives – opening a world of possibilities for children and young people.

\r\n\r\n

We provide advice to our Ministers and lead the implementation of Government policies and programs to build a strong education system. We draw on the best available research, evidence and data and work collaboratively with industry, stakeholders and state and territory governments.

\r\n\r\n

As an organisation of approximately 1,600 staff, we pride ourselves on our positive, supportive and inclusive workplace culture (https://www.education.gov.au/about-department/work-us/life-education) that nurtures talent and encourages employees to achieve their full potential.

\r\n\r\n

To learn more about our department, including our key priorities, refer to our 2024-25 Corporate Plan (https://www.education.gov.au/about-department/resources/202425-corporate-plan-department-education).

\r\n\r\n

Make a difference! Join our graduate program.

\r\n\r\n

We are looking for graduates from all degree disciplines to help us deliver Australian Government priorities across the education sector.

\r\n\r\n

The Department participates in the Australian Government Graduate Program (AGGP - https://www.apsjobs.gov.au/s/graduate-portal), working collaboratively with other APS agencies to recruit talented individuals for our Graduate Program. If you’re interested in empowering people to achieve their potential through education— preference Education and get your career startED with us! 

\r\n\r\n

Our graduate program is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you’ll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career in the Australian Public Service (APS). As an Education Graduate, you will be provided with varied and challenging work supported by formal learning and development opportunities, on-the-job training and mentoring.

\r\n\r\n

Successfully completing our graduate program will help you apply your skills in new ways while building a strong foundation for a fulfilling career at the department or across the Australian Public Service (APS).

\r\n\r\n

Why join us

\r\n\r\n
    \r\n\t
  • Career progression: Start as an APS Level 3 and progress to APS Level 5 on successful completion of the program. Refer to the Australian Public Service Commission website for more information on APS levels.
  • \r\n\t
  • Salary increase: Start at $75,419 (plus 15.4% superannuation) and progress to $90,580 (plus 15.4% superannuation) upon successful completion of the program.
  • \r\n\t
  • Placements: Full-time 10-month program, involving two 5-month work placements, allowing you to work on a variety of priority policies, programs or projects.
  • \r\n\t
  • Learning and Development: Experience on-the-job training, supported by a range of formal learning and development opportunities.
  • \r\n\t
  • Buddy Program: We will match you up with a ‘buddy’ from the previous year’s graduate program, who can support and guide you by sharing their experience and insights.
  • \r\n\t
  • Location options: The majority of positions are located in Canberra with some opportunities available interstate. Relocation assistance is provided to candidates who relocate to Canberra.
  • \r\n\t
  • Employee Networks: Help contribute to a positive and inclusive workplace culture by joining our Employee Networks.
  • \r\n\t
  • Community: Participate in Social Club and Graduate Fundraising activities to connect with colleagues at every level.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply through the AGGP, applicants must submit a completed application prior to the closing date and time and provide evidence of or confirmation of the following:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen at the time of application
  • \r\n\t
  • will or have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • your most recent eligible qualification has or will be completed between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government baseline security clearance once accepted onto the program
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
\r\n\r\n

If you secure a place in our Graduate Program the department will guide you through the process of obtaining your Baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

The Department of Education participates in the following AGGP streams. You can apply for one or many of the streams below to be considered for a role with us. 

\r\n\r\n
    \r\n\t
  • Generalist
  • \r\n\t
  • Data
  • \r\n\t
  • Economist
  • \r\n\t
  • Legal
  • \r\n\t
  • Indigenous Graduate Program
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Digital
  • \r\n\t
  • HR
  • \r\n
\r\n\r\n

Visit our website (https://www.education.gov.au/graduate-and-entry-level-programs/graduate-program) to read more about what we can offer you as a 2026 Education Graduate.

\r\n\r\n

Applications for the 2026 Australian Government Graduate Program will open in March 2025, but we offer an Expression of Interest Register allowing you to share your interest in the meantime. When you express your interest we'll keep in touch, so you know when you can apply and what opportunities we offer.

\r\n\r\n

Complete the expression of interest for our exciting and rewarding Graduate Program!  Click \"Pre-register\" now!

\r\n\r\n

Make a difference by creating a better future for all Australians through education. You have what it takes. Join us!

", - "company": { - "name": "Department of Education", - "website": "https://au.prosple.com/graduate-employers/department-of-education", - "logo": "https://connect-assets.prosple.com/cdn/ff/tsByEVvor94eh3WGilznUAccgJVe39CrWnZreg3RUcY/1728363959/public/styles/scale_and_crop_center_80x80/public/2024-10/1728363956567_3282%202026%20Graduate%20Recruitment%20Campaign_Prosple%20Banner_crest_jade.jpg" - }, - "application_url": "https://dese.nga.net.au/?jati=93A5A59F-8412-8C6E-107A-DB33799B93F4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-education/jobs-internships/graduate-program-accounting-and-financial-management-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3bd" - }, - "title": "Graduate Systems Engineer", - "description": "
    \r\n\t
  • As a graduate you are employed on a permanent basis working on real projects as an embedded team member, and will spend the first 12 months on the graduate program
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in
  • \r\n\t
  • You will attend a graduate specific induction along with monthly graduate catch-ups as an opportunity to build connections internally and to learn more about the business
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career
  • \r\n\t
  • and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional Information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks of paid parental leave as a primary carer and more. We look forward to welcoming you.

\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n

Bachelor of Engineering Bachelor of Systems Engineering Bachelor of Computer Science Bachelor of Information Technology

\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees support vital missions for government and commercial customers. 

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ person local business, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises (SME).

\r\n\r\n

Helping to safeguard our fellow Australians is important and fascinating work. So, whether delivering important geospatial and imagery systems to the Department of Defence, supporting the IT infrastructure for the ATO, delivering major IT transformation projects to Federal Government, or conducting airborne special missions on behalf of the Australian Government, we work closely together with our customers and colleagues to deliver smart solutions that they want to use. Innovative, technically advanced and highly practical. 

\r\n\r\n

Job Description

\r\n\r\n

An average week for a Graduate Systems Engineer could include a wide range of activities including:

\r\n\r\n

Supporting the delivery of systems that meet customer specifications and requirements by developing an understanding of the customer’s needs and turning these into requirements and documentation; Using your research and analysis skills to provide input and recommendations on systems products and collaborate on systems solutions through applying systematic processes and systems engineering methodologies, while taking into account the customer’s technical, schedule and cost constraints; Contributing to the implementation and verification and testing of systems to ensure the solution meets the business and customer requirements; Providing suggestions and recommendations for hardware and software specifications, through supporting activities such as functional analysis, timeline analysis, trade studies, requirements allocation and interface definition studies.

\r\n\r\n

Leidos Benefits

\r\n\r\n

Access to over 100,000 online training and development courses through our technical training portal Percipio Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities and the Defence & Emergency Services Entitlement to one day a year of volunteer leave to support a cause you’re passionate about Leidos is a family-friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), Switch Days where you can switch a public holiday for alternative days that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-systems-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-01T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3be" - }, - "title": "IT Graduate- Desktop Analyst/ IT Service Desk", - "description": "IT services and support role ensuring that IT services meet the needs of our business and its users. Work with with experienced professionals to learn about IT service management best practices.", - "company": { - "name": "Tata Consultancy Services", - "website": "https://au.gradconnection.com/employers/tata-consultancy-services", - "logo": "https://media.cdn.gradconnection.com/uploads/5b8c0d5d-91a7-40e7-b10d-aaebf5ef34f3-TCS_Logo_.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/tata-consultancy-services/jobs/tata-consultancy-services-it-graduate-desktop-analyst-it-service-desk-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T06:10:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Engineering", - "Information Systems", - "Information Technology", - "Telecommunications" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3bf" - }, - "title": "Software Developer Internship | Application Development", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Assist in designing, developing, and testing software applications and solutions.
  • \r\n\t
  • Collaborate with senior developers to write clean, efficient, and maintainable code.
  • \r\n\t
  • Participate in code reviews and contribute to improving software quality.
  • \r\n\t
  • Work with the team to troubleshoot and resolve issues in existing software applications.
  • \r\n\t
  • Support the development of new features and improvements for client-facing applications and products.
  • \r\n\t
  • Conduct research and assist with technical documentation as needed.
  • \r\n\t
  • Participate in team meetings and contribute ideas for project improvements.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate is:

\r\n\r\n
    \r\n\t
  • Currently pursuing a degree in Computer Science, Software Engineering, or a related field.
  • \r\n\t
  • Familiar with programming languages such as .NET, Java, C#, Python, or JavaScript.
  • \r\n\t
  • Possesses a basic understanding of software development methodologies (Agile, Scrum, etc.).
  • \r\n\t
  • Strong in problem-solving skills and willing to learn new technologies.
  • \r\n\t
  • Good at communication and able to work in a collaborative team environment.
  • \r\n\t
  • Knowledgeable in web development, databases, or cloud technologies is a plus but not required.
  • \r\n\t
  • Attentive to detail and passionate about software development.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy flexible working arrangements with hybrid options and the potential for full-time employment upon successful completion of the internship.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring and career coaching from senior staff, focusing on professional development and employability to complement your studies.

\r\n\r\n

Career progression

\r\n\r\n

This internship serves as a direct pathway to full-time employment with Antares Solutions, setting the foundation for a successful career journey.

\r\n\r\n

How to apply

\r\n\r\n

Submit your resume and a brief cover letter explaining your interest in this internship and how your skills align with the responsibilities and skills.

\r\n\r\n

Report this job

", - "company": { - "name": "Antares Solutions Australia", - "website": "https://au.prosple.com/graduate-employers/antares-solutions-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/HCj1yZQo62592MNAS0ZeMV_T1nXU6eTrXnbGvgldIi4/1734669328/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-antares-solutions-australia-450x450-2024.png" - }, - "application_url": "https://antares.bamboohr.com/careers/77", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/antares-solutions-australia/jobs-internships/software-developer-internship-application-development" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c0" - }, - "title": "Digital Signal Processing Stream - Summer Student Internship Program", - "description": "

Why us? 

\r\n\r\n

Cochlear is a world-leading medical device company that offers you an unmatched, global platform to launch your engineering career! 

\r\n\r\n

You will have the opportunity to actively collaborate with the brightest engineering minds in the world as they mentor and support you to develop your skills and follow your passions. 

\r\n\r\n

Join us and get real-world engineering projects that give you hands-on experience working as a professional engineer. Our Summer Student Internship Program the is the only pathway to a full-time graduate position commencing in February 2026.

\r\n\r\n

What will you do?

\r\n\r\n

In our Digital Signal Processing (DSP) Stream, you will work on the design, implementation and testing of signal processing algorithms for our product portfolio.

\r\n\r\n

Tasks would likely include:

\r\n\r\n
    \r\n\t
  • Implementing real-time audio signal processing algorithms on a DSP platform, using C/assembler
  • \r\n\t
  • Developing PC drivers for controlling audio processing algorithms using Python/C#
  • \r\n\t
  • Integration/system level testing of device performance using sound rooms, anechoic boxes and other acoustic test equipment
  • \r\n
\r\n\r\n

The most suitable disciplines for the DSP Stream are: Electrical/Electronics Engineering, Computer Science/Computer Engineering or equivalent 

\r\n\r\n

Who are we looking for?

\r\n\r\n

To be eligible for our Summer Student Internship Program – DSP Stream, you will need to:

\r\n\r\n
    \r\n\t
  • Be a penultimate-year student, completing your degree in calendar year 2026
  • \r\n\t
  • Possess the right to work in Australia without sponsorship after graduation
  • \r\n\t
  • Available to work full-time from late November 2025 to mid-February 2026
  • \r\n
", - "company": { - "name": "Cochlear", - "website": "https://au.prosple.com/graduate-employers/cochlear", - "logo": "https://connect-assets.prosple.com/cdn/ff/rXB6xWdezEQc03f9oz4Grwp58IQSj0bQRidXxYY2Pl4/1569794779/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-cochlear-120x120-2019.jpg" - }, - "application_url": "https://cochlear.wd3.myworkdayjobs.com/Cochlear_Careers/job/Sydney/Summer-Student-Internship-Program_R-618441-2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/cochlear/jobs-internships/digital-signal-processing-stream-summer-student-internship-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-29T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c1" - }, - "title": "Winter Internship", - "description": "

We’ve Got Big Plans for You this Winter!

\r\n\r\n

The Kearney Winter Internship gives you the opportunity to spend five weeks with the firm, experiencing what it is like to be a management consultant. Our Internship Program provides an immersive hands-on experience and will see you work with some of the best consultants in the industry with real-life projects and clients.

\r\n\r\n

While with us, you will experience consulting in a uniquely collegial way. We work together to not only provide our clients with the best results but work together so every colleague, including Winter Interns, are given full and ready access to a suite of training modules and workshops to support them grow and develop.

\r\n\r\n

About Kearney

\r\n\r\n

Kearney is a leading global management consulting firm with more than 4,200 people working in more than 40 countries. We work with more than three-quarters of the Fortune Global 500, as well as with the most influential governmental and non-profit organizations.

\r\n\r\n

Kearney is a partner-owned firm with a distinctive, collegial culture that transcends organizational and geographic boundaries—and it shows. Regardless of location or rank, our consultants are down to earth, approachable, and have a shared passion for doing innovative client work that provides clear benefits to the organizations we work with in both the short and long term.

\r\n\r\n

Kearney SOP, is a specialist unit within Kearney, has a focus on procurement and supply chain, helping companies move to a sustainably lower cost base, transform their supply management practices, adopt innovative operating models, and understand how collaboration technology can be used to achieve strategic objectives. 

\r\n\r\n

 What We Seek

\r\n\r\n

 We are looking for individuals who:

\r\n\r\n
    \r\n\t
  • enjoy a challenge;
  • \r\n\t
  • are motivated and passionate;
  • \r\n\t
  • are creative thinkers;
  • \r\n\t
  • thrive in a team working environment; and
  • \r\n\t
  • have a strong interest in pursuing a career in management consulting.
  • \r\n
\r\n\r\n

Kearney’s Winter Internship Program is open to penultimate year undergraduate students and final year undergraduate students from all disciplines. 

\r\n\r\n

Applicants must have full and permanent working rights in Australia to be considered.

\r\n\r\n

APPLY/PRE-REGISTER NOW

\r\n\r\n

Applicants are asked to submit their CV and academic transcripts (unofficial copies are acceptable) via our website.

\r\n\r\n

No late or partial applications will be accepted, pleas so ensure you submit your CV, transcript and finalise your application by the deadline.  

\r\n\r\n

Recruitment Process

\r\n\r\n

In 2024, we will continue to hold Assessment Days for all internship recruitment. Our Assessment Days are a fun, interactive and an engaging introduction to management consulting, where candidates spend half a day working both individually and as a group to help solve a problem inspired by the real-lifework examples of what we do at Kearney.

\r\n\r\n

Our Winter Internship Assessment Day will be held on Friday, 17 May 2024 and shortlisted candidates must be available to attend in either our Sydney or Melbourne offices (If you are unable to attend in-person, please inform the Recruitment team regarding your current circumstances).   

\r\n\r\n

Following the Assessment Day, selected candidates will be asked back for formal interviews which are expected to take place in the week following.

\r\n\r\n

The Internship will run from 24 June 2024 until 26 July 2024. If successful, shortlisted candidates must be available for the entirety of the internship period.  

\r\n\r\n

Like us on Facebook “Kearney Australia and New Zealand” to be kept up to date with the latest information and happenings around the ANZ unit.

", - "company": { - "name": "Kearney", - "website": "https://au.prosple.com/graduate-employers/kearney", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8VwgkVtVdmRWu6uolU5WIxm1-3gZBTeN8VdfwiL4LM/1691624390/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-%20Kearney%20-480x480-2023.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kearney/jobs-internships/winter-internship-2" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-05-05T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c2" - }, - "title": "Amazon WoW presents, MARCH FORWARD : Accelerating Equality Together! #IWD 2025", - "description": "About Amazon WoW\nVisit Amazon WoW: https://amazon.jobs/content/en/career-programs/university/women-of-the-world\nBanner Image Block", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://app.brazenconnect.com/events/zqy7b", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-amazon-wow-presents-march-forward-accelerating-equality-together-iwd-2025" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-25T12:59:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Data Science and Analytics", - "Information Technology", - "Logistics and Supply Chain", - "Operations", - "Science", - "Transport" - ], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c3" - }, - "title": "STAR (Student Training and Rotation) Program Intern (VT/STAR) - Sydney - Sales", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in a 2-year rotational program across various business areas.
  • \r\n\t
  • Work part-time during the academic year and full-time during breaks.
  • \r\n\t
  • Engage in networking, customer communication, and project management.
  • \r\n\t
  • Receive structured development, coaching, and mentoring.
  • \r\n\t
  • Interact with managers, leaders, and executives.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • Studying Degree(s) in Business, perhaps with an IT major although other academic backgrounds will be considered.
  • \r\n\t
  • Finishing their studies no earlier than the end of 2025.
  • \r\n\t
  • Able to work at least 2 days per week during the semester (3 days preferred).
  • \r\n\t
  • Strong communication skills in English.
  • \r\n\t
  • Interest in technology and digital solutions.
  • \r\n\t
  • Problem-solving abilities and a proactive, collaborative mindset.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a paid internship with flexible working hours, opportunities for academic credit, and a supportive team environment.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from on-the-job training, mentorship, and structured development programs to enhance your skills and career readiness.

\r\n\r\n

Career progression

\r\n\r\n

Upon completion, explore opportunities for Academy Positions and permanent roles within the company to further develop your career.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by sending your resume and cover letter. Include any requests for accommodations if needed.

", - "company": { - "name": "SAP Australia", - "website": "https://au.prosple.com/graduate-employers/sap-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/PRjT4gwk7aDZ76qxYnFGbijKvC-OuX-fTazhWq74lvw/1592135831/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-sap-240x240-2020.jpg" - }, - "application_url": "https://sap.valhalla.stage.jobs2web.com/job/North-Sydney-STAR-%28Student-Training-and-Rotation%29-Program-Intern-%28VTSTAR%29-Sydney-NSW-2060/120752950/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sap-australia/jobs-internships/star-student-training-and-rotation-program-intern-vtstar-sydney-sales" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c4" - }, - "title": "Investment Banking Winter Internship", - "description": "

About J.P. Morgan Australia

\r\n\r\n

J.P. Morgan Australia is a global leader in financial services, offering solutions to the world's most important corporations, governments, and institutions in more than 100 countries. The company leads volunteer service activities for employees in local communities by utilizing its many resources, including those that stem from access to capital, economies of scale, global reach, and expertise.

\r\n\r\n

About the program

\r\n\r\n

The J.P. Morgan Empowering Leaders Development Program recognizes penultimate university students who have demonstrated outstanding leadership and involvement in the community. It includes 2 paid internship opportunities (Winter and Summer) in the J.P. Morgan Investment Banking division.  

\r\n\r\n

The Winter J.P. Morgan Empowering Leaders Development Program is expected to run from Monday 23 June to Friday 18 July 2025 (although this may be subject to change). It begins with 2-3 days of orientation and training, giving you technical and practical skills that will help you hit the ground running. 

\r\n\r\n

As an Intern in the Empowering Leaders Development Program, you will spend your winter and summer working alongside the top professionals in the business to come up with solutions that shape the global economy. Our bankers are focused on long-term relationships and developing strategies that help our government, institutional and corporate clients grow and innovate by providing sound advice, helping them access funds and making connections, all while helping clients manage the many risks in today’s complex environment. Our industry and product teams work together to develop and execute strategies that help our clients grow and achieve their objectives in today’s global markets. 

\r\n\r\n

Our industry and product teams include: Debt Capital Markets, Energy & Renewables, Equity Capital Markets, Mergers and Acquisitions, Financial Institutions, Financial Sponsors, General Industrials, Metals & Mining, Real Estate and Infrastructure. Working here means joining a collaborative, supportive team. We want your diverse perspective to help us innovate the next wave of products and solutions for our clients. We’ll give you what you need to succeed from training to mentoring from senior leaders to projects that engage all your skills.  

\r\n\r\n

The J.P. Morgan Empowering Leaders Development Program is a pipeline for future graduate opportunities within the Investment Banking division. Based on individual achievements, those who successfully complete the program may receive a full time position within the firm for 2027. 

\r\n\r\n

Job responsibilities

\r\n\r\n
    \r\n\t
  • Analyze market data, building detailed financial models and preparing client presentations for mergers and acquisitions, leveraged buyouts and capital markets advisory
  • \r\n\t
  • Manage client transactions from pitch to close under the guidance of our senior leaders.
  • \r\n\t
  • Demonstrate leadership by coming up with innovative and creative ways to solve complex, real-world business challenges
  • \r\n\t
  • Learn how we help clients and communities grow, no matter their needs
  • \r\n\t
  • Build your professional network with mentors, senior executives and others
  • \r\n
\r\n\r\n

Required qualifications, capabilities, and skills

\r\n\r\n
    \r\n\t
  • A well-rounded academic background
  • \r\n\t
  • Demonstrated outstanding leadership and involvement in the community or extra-curricular achievements
  • \r\n\t
  • Keen to build networks, collaborate across teams and be inspired by others
  • \r\n\t
  • Display initiative and confidence to take on challenges
  • \r\n\t
  • Excellent analytical, quantitative and interpretative skills
  • \r\n\t
  • Being adaptable, flexible and resilient
  • \r\n\t
  • Proficient in Excel, PowerPoint and Word
  • \r\n\t
  • Must be in penultimate year of study, completing studies between April and December 2026
  • \r\n\t
  • Be available to complete two internships (winter and summer) with J.P. Morgan
  • \r\n\t
  • Fluent in English
  • \r\n\t
  • Must be an Australian citizen or already have been granted Permanent Residency at the time of application
  • \r\n
\r\n\r\n

Join us 

\r\n\r\n

At J.P. Morgan, we’re creating positive change for the diverse communities we serve. We do this by championing your innovative ideas through a supportive culture that helps you every step of the way as you build your career. If you’re passionate, curious and ready to make an impact, we’re looking for you. 

\r\n\r\n

Application Deadline 

\r\n\r\n

7 March 2025 (23:59 AEST) 

\r\n\r\n

Please note the below: 

\r\n\r\n
    \r\n\t
  • Applications will be reviewed on a rolling basis. We encourage you to submit your application as early as possible so we are able to send through additional steps ahead of the deadline.
  • \r\n\t
  • Please indicate on your resume what is your preferred location (Sydney or Melbourne).
  • \r\n\t
  • Avoid using an email address with “.edu” extension as doing so could result in delays receiving updates regarding your candidacy.
  • \r\n\t
  • If successful, the program includes two internship opportunities (Winter and Summer) in the J.P. Morgan Investment Banking division.
  • \r\n
\r\n\r\n

What’s next? 

\r\n\r\n
    \r\n\t
  • Help us learn about you by submitting a complete and thoughtful application, which includes your resume. Your application and resume is a way for us to initially get to know you and your demonstrated leadership skills so it’s important to complete all relevant application questions so we have as much information about you as possible.
  • \r\n\t
  • After you confirm your application, we will review it to determine whether you meet certain required qualifications.
  • \r\n\t
  • If you meet the minimum requirements, you’ll receive an email invitation to complete a video interview, powered by HireVue. This is your opportunity to further bring your resume to life and showcase your experience for our recruiting team and hiring managers. HireVue is required, and your application will not be considered for further review until you have completed this.
  • \r\n\t
  • Following HireVue completion, shortlisted candidates will be invited for an Assessment Centre and final round interviews.
  • \r\n
\r\n\r\n

Reasonable Adjustments 

\r\n\r\n

J.P. Morgan is an inclusive employer of choice. If you require any adjustments to enable you to perform the essential functions of your job, please do not hesitate to contact your manager/recruiter. 

", - "company": { - "name": "J.P. Morgan Australia", - "website": "https://au.prosple.com/graduate-employers/jp-morgan-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/oal-aC_o0FJ-jK4Iy1j__u-59DPHKh9-NMRTQTT2afA/1561669436/public/styles/scale_and_crop_center_80x80/public/2019-06/JPMorgan_Logo_120x120.png" - }, - "application_url": "https://jpmc.fa.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1001/job/210577026/?utm_medium=jobshare&utm_source=External+Job+Share", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jp-morgan-australia/jobs-internships/investment-banking-winter-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-07T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c5" - }, - "title": "Data Graduate", - "description": "

Our Purpose: 

\r\n\r\n

The NDIS Quality and Safeguards Commission (the NDIS Commission) offers roles that make a real difference in the community by upholding the rights of NDIS participants to access quality and safe supports. 

\r\n\r\n

2026 NDIS Commission Graduate Program

\r\n\r\n

The NDIS Commission’s graduate program is designed to accelerate your career while fostering a social impact. You’ll embark on a series of rotations or immersion opportunities, where you’ll work on real-world projects that will drive change within the Commission. 

\r\n\r\n

Your new role: 

\r\n\r\n
    \r\n\t
  • 12-month graduate entry-level program
  • \r\n\t
  • You’ll engage in projects and develop the skills needed to excel in the public service sector.
  • \r\n\t
  • Gain exposure to senior leaders and collaboration with teams working across Australia, on impactful issues.
  • \r\n\t
  • Flexibility in work arrangements to support a healthy work-life balance.
  • \r\n
\r\n\r\n

Training and development:

\r\n\r\n
    \r\n\t
  • Complete a structured learning program through the completion of a comprehensive 10-month APS Graduate Development Learning Program.
  • \r\n\t
  • The Learning Program is specifically designed for Graduates across the APS, graduates take part in learning experiences involving real-time interactions, webinars, events and learning experiences. completing learning sprint work and group activities.
  • \r\n\t
  • Receive mentorship, career coaching and planning
  • \r\n\t
  • Guidance and support from a dedicated Graduate Program Coordinator.
  • \r\n
\r\n\r\n

Salary and benefits:

\r\n\r\n
    \r\n\t
  • A competitive salary package commencing on APS level 4 $82,999 plus 15.4 % superannuation.
  • \r\n\t
  • Annual leave, cultural leave, and parental leave.
  • \r\n
\r\n\r\n

Culture: 

\r\n\r\n

We strive to be an inclusive community where everyone feels they belong, we encourage applications from people with disability, people who identify as Aboriginal or Torres Strait Islander, LGBTIQA+, women and people with diverse linguistic and cultural backgrounds.

\r\n\r\n

How to apply: 

\r\n\r\n

The NDIS Commission encourages people with disability and lived experience to apply for current vacancies. 

\r\n\r\n

We participate in the Australian Public Service RecruitAbility Scheme to support the employment of people with disability.

\r\n\r\n

More information:

\r\n\r\n

 The NDIS Commission is the dedicated national regulator of NDIS service providers and workers in Australia. The NDIS Commission upholds the rights of NDIS participants to quality and safe support or services, including those received under the National Disability Insurance Scheme (NDIS).

\r\n\r\n

Find more information about what we do at https://www.ndiscommission.gov.au/about/what-we-do

", - "company": { - "name": "NDIS Quality and Safeguards Commission (NDIS Commission)", - "website": "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission", - "logo": "https://connect-assets.prosple.com/cdn/ff/5FitXaWOiM0E1FQLTV3xnEf9ojr1OfDaara7_Ts8mtU/1657366648/public/styles/scale_and_crop_center_80x80/public/2022-02/logo-ndis-commission-200%E2%80%8A%C3%97%E2%80%8A200-2022.jpeg" - }, - "application_url": "https://content.apsjobs.gov.au/career-pathways/directory/ndis-quality-and-safeguards-commission", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission/jobs-internships/data-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T05:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c6" - }, - "title": "Graduate LiveNet Multimedia R&D Engineer", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Team Introduction

\r\n\r\n

Video Cloud Infra team, facing business experience and cost, builds a competitive video transmission network and multimedia processing platform, builds data foundation and analysis capabilities, drives product refined operation, reduces costs and increases efficiency. We are seeking a talented Backend Software Engineer to join our Live CDN team at TikTok. As a Backend Software Development Engineer, you will be responsible for developing and maintaining our Live CDN platform, which powers live streaming services for millions of users worldwide. You will also be responsible for designing and implementing the architecture for the platform, with a focus on automating and simplifying configuration functionality to improve reliability, usability, and flexibility.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the design, development, and optimization of multimedia transmission algorithms and multimedia processing systems
  • \r\n\t
  • Participate in the construction of Streaming Media automated testing , verification, and experimental platforms to improve the efficiency of Streaming Media research and development
  • \r\n\t
  • Participate in industry technical research to solve key technical difficulties of the team
  • \r\n\t
  • Participate in formulating code specifications, testing specifications, and improving project quality.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Proficient in at least one programming language, including but not limited to: Java, C, C++, PHP, Python, Go
  • \r\n\t
  • Master solid computer basic knowledge, in-depth understanding of data structures, algorithms and operating system knowledge
  • \r\n\t
  • Excellent logical analysis ability, able to reasonably abstract and split business logic
  • \r\n\t
  • Have good technical curiosity, excellent learning and communication skills
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Familiar with multimedia open source architecture (such as FFMPEG, WebRTC, etc.)
  • \r\n\t
  • Familiar with audio & video coding and decoding technology, such as H.264, H.265 and other technical specifications
  • \r\n\t
  • Familiar with rtmp/http-flv/hls/rtsp Streaming Media transport protocol
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7288414543801370917?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-livenet-multimedia-rd-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c7" - }, - "title": "STAR (Student Training and Rotation) Program Intern (VT/STAR) - Canberra - Sales", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in a 2-year rotational program across various business areas.
  • \r\n\t
  • Work part-time during the academic year and full-time during breaks.
  • \r\n\t
  • Engage in networking, customer communication, and project management.
  • \r\n\t
  • Receive structured development, coaching, and mentoring.
  • \r\n\t
  • Interact with managers, leaders, and executives.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • Studying Degree(s) in Business, perhaps with an IT major although other academic backgrounds will be considered.
  • \r\n\t
  • Finishing their studies no earlier than the end of 2025.
  • \r\n\t
  • Able to work at least 2 days per week during the semester (3 days preferred).
  • \r\n\t
  • Strong communication skills in English.
  • \r\n\t
  • Interest in technology and digital solutions for business challenges.
  • \r\n\t
  • Problem-solving abilities and a proactive, collaborative mindset.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a paid internship with flexible working hours, opportunities for academic credit, and a supportive team environment.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from on-the-job training, mentorship, and structured development programs to enhance your skills and career readiness.

\r\n\r\n

Career progression

\r\n\r\n

Upon completion, explore opportunities for Academy Positions and permanent roles within the company to further develop your capabilities.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by sending your resume and cover letter. Include any requests for accommodations if needed.

", - "company": { - "name": "SAP Australia", - "website": "https://au.prosple.com/graduate-employers/sap-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/PRjT4gwk7aDZ76qxYnFGbijKvC-OuX-fTazhWq74lvw/1592135831/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-sap-240x240-2020.jpg" - }, - "application_url": "https://sap.valhalla.stage.jobs2web.com/job/Deakin-ACT-STAR-%28Student-Training-and-Rotation%29-Program-Intern-%28VTSTAR%29-Canberra-2600/120752650/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sap-australia/jobs-internships/star-student-training-and-rotation-program-intern-vtstar-canberra-sales" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c8" - }, - "title": "Software Developer - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Software developer graduates assist to interpret business, system and service requirements into technical specifications, and then create, test and implement computer and software programs. They may also be responsible for website, intranet and application security development. These graduates are creative problem solvers who convert ideas into working applications that help the Queensland Government deliver better services to the community.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a software developer role may include:

\r\n\r\n
    \r\n\t
  • translating business requirements into detailed technical and programming specifications
  • \r\n\t
  • designing, deploying, testing and supporting software, website and database systems
  • \r\n\t
  • undertaking programming for the development, maintenance and enhancement of IT systems
  • \r\n\t
  • identifying and resolving integrity issues within software and database systems
  • \r\n\t
  • providing advice and guidance on the design and capability of software.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a software developer role will:

\r\n\r\n
    \r\n\t
  • be able to produce detailed and accurate work
  • \r\n\t
  • be creative, multi-task and work to time frames
  • \r\n\t
  • possess effective communication and problem-solving skills and be able to work as part of a team.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of:

\r\n\r\n
    \r\n\t
  • relational database technologies (e.g. Oracle, SQL) and web services (e.g. XML)
  • \r\n\t
  • procedural programming languages (e.g. C) and object-oriented programming languages (e.g. VB, .Net, C#, C++, Java)
  • \r\n\t
  • testing tools and techniques, and development tools (e.g. version control software)
  • \r\n\t
  • software development methodologies and life cycles.
  • \r\n
\r\n\r\n

Your degree may be in information technology, software engineering or computer systems.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/software-developer-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3c9" - }, - "title": "Application Analyst Graduate", - "description": "

About BAE Systems:

\r\n\r\n

BAE Systems Australia develops the latest technologies, capabilities and infrastructure to protect the people of the Australian Defence Force. As a Graduate, you’ll play a role in helping us to deliver this, supporting multi-billion dollar programs across every Australian Defence domain – air, land, sea and space. 

\r\n\r\n

About the Opportunity:

\r\n\r\n

As a Graduate within our IM&T function, whilst developing yourself, you will provide support and assistance to Managers within the business. 

\r\n\r\n

This position will be offered as a stream 1 option 

\r\n\r\n

As part of the graduate program, you will work in one project/department for the duration of your program. As a result, you’ll enjoy stability and the opportunity to develop deep knowledge of that domain.  Whilst your experiences will vary, this will be a non-rotational program.

\r\n\r\n

As an Application Analyst Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Assist with new account creation management
  • \r\n\t
  • Contribute to code development and tool & software application configuration
  • \r\n\t
  • Work with Enterprise web-based systems
  • \r\n\t
  • Contribute to timely responses and recommendations on support requests
  • \r\n\t
  • Assist with the deployment of application updates
  • \r\n
\r\n\r\n

Suitable fields of study for this role would include:

\r\n\r\n
    \r\n\t
  • IT
  • \r\n\t
  • Computer Science
  • \r\n\t
  • Software Engineering
  • \r\n
\r\n\r\n

These opportunities will be available in:

\r\n\r\n
    \r\n\t
  • SA-Adelaide CBD
  • \r\n
\r\n\r\n

About You:

\r\n\r\n

BAE Systems has a strong focus on operational excellence and business values. For this, you will demonstrate: 

\r\n\r\n
    \r\n\t
  • Strategic vision
  • \r\n\t
  • Adaptability
  • \r\n\t
  • Effective collaboration skills
  • \r\n\t
  • Honesty & integrity
  • \r\n
\r\n\r\n

To be eligible, you must be due to complete your studies in 2025 (or have already completed) a University degree qualification in an appropriate discipline. 

\r\n\r\n

You will also need demonstrated team work and communication skills coupled with a desire to grow and learn.  

\r\n\r\n

Due to the nature of our work, you'll also need to be an Australian Citizen and eligible for Australian Defence Security Clearance.

\r\n\r\n

About Our Graduate Program:

\r\n\r\n

Our 2+1 Graduate Program provides you with professional and technical development to ensure success in your chosen field.  In the third year, you will choose from a variety of professional development options, including leadership and innovation, to suit your own personal career aspirations.

\r\n\r\n

In addition to extensive training and development, you will work with a graduate mentor who will support you to develop and progress your personal career plan setting out your career goals.  BAE also offers a competitive annually-reviewed salary and our program provides meaningful and challenging work within an inclusive and respectful environment.

\r\n\r\n

We provide more choice and opportunity for career success and we couldn’t be more excited!

\r\n\r\n

What’s next? 

\r\n\r\n

Short listed applicants will be invited to participate in a 1-way video interview. Subsequent stages of the process will include a form of interview, such as an assessment centre or panel interview. 

\r\n\r\n
    \r\n\t
  • Once this interview stage has been completed preferred candidates will be sent background screening and pre-employment health assessments. Once all checks have been completed, successful candidates will be notified, and as we are a Circle Back Initiative all other applicants will receive notification ether via email or phone call.
  • \r\n
\r\n\r\n

We welcome and strongly encourage applications from women, Aboriginal and Torres Strait Islanders and Veterans for these opportunities.  An inclusive culture and an exciting, supportive start to your career awaits!

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225552366&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/application-analyst-graduate-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T03:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ca" - }, - "title": "Cyber Security - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

This role focuses on protecting data and information between government, businesses and citizens.

\r\n\r\n

You’ll learn how government keeps its systems secure and manage risks. To do this, you will need to be able to assess risks and remain solution focused.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a cyber security role may include:

\r\n\r\n
    \r\n\t
  • Assist to resolve incidents and monitor security intrusions.
  • \r\n\t
  • Advise on the management and protection of personal information.
  • \r\n\t
  • Monitor data transactions in and out of a network environment.
  • \r\n\t
  • Research the best ways of protecting personal information.
  • \r\n\t
  • Work with relevant people to provide virus protection defences, review information systems for breaches in security and secure servers from unauthorised use.
  • \r\n\t
  • Assist to review and prepare policies and procedures around security matters.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a cyber security role will:

\r\n\r\n
    \r\n\t
  • be able to identify, analyse and recommend solutions
  • \r\n\t
  • have good time management skills and be able to work to deadlines
  • \r\n\t
  • be discreet, have integrity and be able to maturely deal with sensitive issues.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of:

\r\n\r\n
    \r\n\t
  • Firewall software and operating systems
  • \r\n\t
  • Intrusion detection software and system security virus scanning software
  • \r\n\t
  • Relevant standards and legislation and risk assessment strategies
  • \r\n\t
  • Systems security, web hosting security and network security
  • \r\n
\r\n\r\n

Your degree may be in information technology, computer science, information security, or information security.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/cyber-security-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3cb" - }, - "title": "Software Development Engineer - 2025 Auckland", - "description": "Amazon Auckland-based team is looking for passionate Graduate Software Development Engineers (SDEs) to join our team ASAP.", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2854986/2025-software-development-graduate-aws-auckland-nz-0-2-years-entry-level", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-software-development-engineer-2025-auckland" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-01T13:58:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Engineering", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": ["NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3cc" - }, - "title": "Trainee: COO Assistant", - "description": "RISQ/ASI/COO is the team that provides organizational and transversal support to RISQ/ASI, it serves as the primary liaison between the Risk groups and the various support partners.", - "company": { - "name": "Societe Generale", - "website": "https://au.gradconnection.com/employers/societe-generale-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/0e22d09c-e7f7-4806-a39d-202bd6e004a0-new-logo.png" - }, - "application_url": "https://careers.societegenerale.com/en/job-offers/trainee-coo-assistant-250000L6-en", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/societe-generale-hk/jobs/societe-generale-trainee-coo-assistant-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-14T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3cd" - }, - "title": "Intern Software Engineer", - "description": "

Our engineering interns are involved in everything from designing, discovering, developing and testing solutions. Engineering interns work in our product teams to develop the core Xero product and in our technology teams writing software to support the Xero product behind the scenes. Our teams are made up of full-stack engineers, front-end and back-end specialists, and quality engineers. You’ll work with technologies like AWS, C#, React, Swift, and SQL.

\r\n\r\n

As an intern engineer, you’ll have the opportunity to work in one of our Xero teams, innovating new features, fixing bugs and enhancing functionality.

\r\n\r\n

Our previous interns have been involved with:

\r\n\r\n
    \r\n\t
  • working in a fast-paced environment that applies the agile methodology of software development, with frequent releases and continuous planning and improvement.
  • \r\n\t
  • writing code for new features or bug fixes, to be deployed to a production environment
  • \r\n\t
  • learning about architectural concerns within a large enterprise stack
  • \r\n
\r\n\r\n

Why Xero?

\r\n\r\n

At Xero, we support many types of flexible working arrangements that allow you to balance your work, your life and your passions. We offer a great remuneration package including shares plus a range of leave options to suit your well-being. Our work environment encourages continuous improvement and career development and you’ll get to work with the latest technology.  

\r\n\r\n

Our collaborative and inclusive culture is one we’re immensely proud of. We know that a diverse workforce is a strength that enables businesses, including ours, to better understand and serve customers, attract top talent and innovate successfully. We are a member of Pride in Diversity, in recognition of our inclusive workplace. So, from the moment you step through our doors, you’ll feel welcome and supported to do the best work of your life.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Xero Australia", - "website": "https://au.prosple.com/graduate-employers/xero-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/KVaT4twSLI6xmGq9GgeTi6jKK_xWDbKN4mpISIUzHeQ/1710820238/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-xero-480x480-2024.jpg" - }, - "application_url": "https://jobs.lever.co/xero/618bce4d-be06-4e81-b9a3-73da29b2d31a", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/xero-australia/jobs-internships/intern-software-engineer-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-20T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ce" - }, - "title": "Digital Graduate", - "description": "

Our Purpose: 

\r\n\r\n

The NDIS Quality and Safeguards Commission (the NDIS Commission) offers roles that make a real difference in the community by upholding the rights of NDIS participants to access quality and safe supports. 

\r\n\r\n

2026 NDIS Commission Graduate Program

\r\n\r\n

The NDIS Commission’s graduate program is designed to accelerate your career while fostering a social impact. You’ll embark on a series of rotations or immersion opportunities, where you’ll work on real-world projects that will drive change within the Commission. 

\r\n\r\n

To be eligible for the Digital Graduate role, you must have completed (or recently completed) university studies in a digital or technical related field. Check out if your degree is eligible here.

\r\n\r\n

Your new role: 

\r\n\r\n
    \r\n\t
  • 12-month graduate entry level program
  • \r\n\t
  • You’ll engage in projects and develop the skills needed to excel in the public service sector.
  • \r\n\t
  • Gain exposure to senior leaders and collaboration with teams working across Australia, on impactful issues.
  • \r\n\t
  • Flexibility in work arrangements to support a healthy work-life balance.
  • \r\n
\r\n\r\n

Training and development:

\r\n\r\n
    \r\n\t
  • Complete a structured learning program through the completion of a comprehensive 10-month APS Graduate Development Learning Program.
  • \r\n\t
  • The Learning Program is specifically designed for Graduates across the APS, graduates take part in learning experiences involving real-time interactions, webinars, events and learning experiences. completing learning sprint work and group activities.
  • \r\n\t
  • Receive mentorship, career coaching and planning
  • \r\n\t
  • Guidance and support from a dedicated Graduate Program Coordinator.
  • \r\n
\r\n\r\n

Salary and benefits:

\r\n\r\n
    \r\n\t
  • A competitive salary package commencing on APS level 4 $82,999 plus 15.4 % superannuation.
  • \r\n\t
  • Annual leave, cultural leave, and parental leave.
  • \r\n
\r\n\r\n

Culture: 

\r\n\r\n

We strive to be an inclusive community where everyone feels they belong, we encourage applications from people with disability, people who identify as Aboriginal or Torres Strait Islander, LGBTIQA+, women and people with diverse linguistic and cultural backgrounds.

\r\n\r\n

How to apply: 

\r\n\r\n

https://www.apsjobs.gov.au/s/graduate-portal

\r\n\r\n

The NDIS Commission encourages people with disability and lived experience to apply for current vacancies. 

\r\n\r\n

We participate in the Australian Public Service RecruitAbility Scheme to support the employment of people with disability.

\r\n\r\n

More information:

\r\n\r\n

 The NDIS Commission is the dedicated national regulator of NDIS service providers and workers in Australia. The NDIS Commission upholds the rights of NDIS participants to quality and safe supports or services, including those received under the National Disability Insurance Scheme (NDIS).

\r\n\r\n

Find more information about what we do at https://www.ndiscommission.gov.au/about/what-we-do

", - "company": { - "name": "NDIS Quality and Safeguards Commission (NDIS Commission)", - "website": "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission", - "logo": "https://connect-assets.prosple.com/cdn/ff/5FitXaWOiM0E1FQLTV3xnEf9ojr1OfDaara7_Ts8mtU/1657366648/public/styles/scale_and_crop_center_80x80/public/2022-02/logo-ndis-commission-200%E2%80%8A%C3%97%E2%80%8A200-2022.jpeg" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission/jobs-internships/digital-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3cf" - }, - "title": "Technology Internship Program", - "description": "

To help build a better world, we need the best and brightest. 

\r\n\r\n

Why not you? 

\r\n\r\n

At BHP, our purpose is to bring people and resources together to build a better world.  We have the resources. What we produce is essential to carbon reduction and the technologies essential to secure prosperity for generations to come. 

\r\n\r\n

But we need more good people. Not just anyone, but the best and brightest graduates from every field of academic and technical endeavour. Graduates and students who will challenge us, as we will challenge them.   

\r\n\r\n

If you join us, the opportunities are endless; because you will not only help build a better world, you will help shape it. Someone has to do it. Why not you? 

\r\n\r\n

About the Role 

\r\n\r\n

Technology is a global function within BHP which provides Interns a unique experience. You’ll get an opportunity to work across many aspects of Digital Transformation including cybersecurity, operational technology, automation control systems and enterprise level systems. The Technology strategy also enables Interns to gain excellent experience with key growth technologies like Cloud and our Data strategy.    

\r\n\r\n

 As BHP Intern, you will:  

\r\n\r\n
    \r\n\t
  • Be able to apply all you’ve learnt in real world situations and use your initiative to seek out projects to showcase your capability.
  • \r\n\t
  • Work in diverse teams who will support, encourage, and help you build your technical skills.
  • \r\n\t
  • Gain exposure to the resources sector at an early stage of your career.
  • \r\n\t
  • Build your own professional network with a range of technical experts and graduates.
  • \r\n\t
  • Attend networking events with other interns and graduates.
  • \r\n
\r\n\r\n

As a successful intern you’ll get first access to our Australian Graduate Program opportunities or be invited back for another internship if you are in the earlier years of your degree.     

\r\n\r\n

What we are looking for 

\r\n\r\n

You’ll be a student who is between their second to penultimate year and be able to work with us for 10-12 weeks over the summer break.  Your degree could be from one of the following (but not limited) to:  

\r\n\r\n
    \r\n\t
  • Computer Science
  • \r\n\t
  • Data Science
  • \r\n\t
  • Cybersecurity
  • \r\n\t
  • Maths and Statistics
  • \r\n
\r\n\r\n

International students who have a valid visa with no work restrictions for the duration of the internship program are eligible to apply. 

\r\n\r\n

About Our Process  

\r\n\r\n

At BHP, we are committed to employing individuals who align with the BHP Charter Values and meet the requirements of the role. As part of the recruitment process, there are a number of checks which may be conducted to demonstrate applicants suitability for a role including police / criminal background checks, medical, drug and alcohol testing, due diligence checks, right to work checks, and/or reference checks.  

\r\n\r\n

Supporting a Diverse Workforce   

\r\n\r\n

At BHP, we recognise that we are strengthened by diversity. We are committed to providing a work environment in which everyone is included, treated fairly and with respect. We are an Equal Opportunity employer and we encourage applications from women and Indigenous people. We know there are many aspects of our employees' lives that are important, and work is only one of these, so we offer benefits to enable your work to fit with your life. These benefits include flexible working options, a generous paid parental leave policy, other extended leave entitlements and parent rooms.  

\r\n\r\n

Register now

\r\n\r\n

The future is clear, if we continue to think big.  To discover how, visit Australia graduate and student programs | BHP.

", - "company": { - "name": "BHP", - "website": "https://au.prosple.com/graduate-employers/bhp", - "logo": "https://connect-assets.prosple.com/cdn/ff/di-cWydyMYcR4mUYXyfNn-JjvxhsGJgtFzOASZbb3Yk/1679636641/public/styles/scale_and_crop_center_80x80/public/2023-03/1679636637256_bhp_orn_rgb_pos%20copysquare.jpg" - }, - "application_url": "https://www.bhp.com/careers/graduate-student-programs/australia", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bhp/jobs-internships/technology-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-08T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD", "SA", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d0" - }, - "title": "Engineering Graduate Program - Systems, Electrical/Electronic, Mechanical/Mechatronic Engineering", - "description": "

The role 

\r\n\r\n

As a Saab Graduate, you will work alongside experienced engineers to deliver world leading and innovative projects. 

\r\n\r\n

Saab’s Graduate Program is a two year program, which offers you the opportunity to work in either; a focused program, dedicated to honing technical proficiency in a specific area, or; a dynamic experience with structured rotations across two diverse teams within our organisation.

\r\n\r\n

These options are carefully designed to match your unique skills, developmental aspirations, business needs, and personal preferences.

\r\n\r\n

Following the successful completion of the program, you will be placed into a permanent position within the business so that you can continue the growth of your exciting new career.

\r\n\r\n

Our 2026 Graduate Engineering program will be comprised of the following graduate roles, based out of our Adelaide, Melbourne and Perth offices, detailed below: 

\r\n\r\n
    \r\n\t
  • Systems Engineering: design of Combat Systems for the Royal Australian Navy’s surface fleet, including requirements analysis, interface definition and platform & systems integration. This role would suit those studying electrical/electronics, mechanical/mechatronic or related engineering degrees. This role is based in our Adelaide, Melbourne and Perth offices.
  • \r\n\t
  • Systems Safety Engineering: systems safety design of Combat Systems for the Royal Australian Navy’s surface fleet, including hazard analysis, risk assessment and developing safety cases for acceptance. This role would suit those studying electrical/electronics or related engineering degrees. This role is available in our Adelaide and Melbourne offices. 
  • \r\n\t
  • Systems Security Engineering: systems security design of Combat Systems for the Royal Australian Navy’s surface fleet, including risk analysis, vulnerability analysis, software assurance and vulnerability testing. This role would suit those studying software, computer science or electrical/electronic/mechatronic degrees with cyber elements. This role is available in our Adelaide office only.
  • \r\n\t
  • Support Systems Engineering: support systems design of Combat Systems for the Royal Australian Navy’s surface fleet, including analysis tasks, specification development and documenting support system designs involving people, process and products. This role would suit those studying electrical/electronics, mechanical/mechatronic or related engineering degrees. This role is based in our Adelaide office only.
  • \r\n\t
  • Hardware Engineering: focusing on the design of electrical/electronic and mechanical/mechatronic solutions for our surface ship Combat Management System and Autonomous/Submarine Systems within the Defence domain, including requirements, design, build and test of hardware solutions. This role would suit those studying electrical/electronics, mechanical/mechatronic or related engineering degrees. This role is based in our Adelaide office only.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

We are searching for talented and inquisitive problem-solvers, who are interested and passionate about designing and developing products that will help to keep people and society safe, one of our important core values.

\r\n\r\n

You will be required to have completed within the last two (2) years, or about to complete, a Bachelor’s Degree, specialising in:

\r\n\r\n
    \r\n\t
  • Electrical/Electronics Engineering
  • \r\n\t
  • Mechanical/Mechatronics Engineering
  • \r\n\t
  • Computer Systems/Computer Science/Cyber Security and Networking
  • \r\n
\r\n\r\n

Or a related technical discipline

\r\n\r\n

As Defence security clearance is required for these roles, you will be an Australian citizen and eligible to obtain and maintain appropriate clearance.

\r\n\r\n

About us

\r\n\r\n

Saab Australia is a defence, security and cyber solutions provider, specialising in the development and integration of major defence and security systems. For over 35 years in Australia, we have built a reputation for delivering complex systems integration projects that provide proven and advanced capabilities to keep us ahead of today’s challenges. 

\r\n\r\n

From combat, space, security and underwater systems, to mixed reality, cyber security and deployable health solutions, our extensive portfolio of products and services provide high-technology solutions for defence forces and civil industries across the globe.

\r\n\r\n

Apply today to join our crew and deliver solutions with purpose.

\r\n\r\n

Culture and benefits

\r\n\r\n

We employ over 1000 Australians and are committed to fostering a culture of excellence and enriching the employee experience. 

\r\n\r\n

By joining Saab, you’ll be a part of a collaborative and supportive organisation, where your professional growth and work-life balance are emphasised.  You’ll work within an innovative and vibrant workplace, while having the opportunity to develop a long-term, fulfilling career.

\r\n\r\n

As a valued team member of Saab Australia, you’ll access a variety of perks and benefits to support you and your family including:

\r\n\r\n
    \r\n\t
  • 6 weeks paid leave each year
  • \r\n\t
  • 13% Superannuation
  • \r\n\t
  • Free Income Protection Insurance
  • \r\n\t
  • Flexible working arrangements such as hybrid work from home / office and 9 day fortnight will be considered
  • \r\n\t
  • Access to the Saab shares matching scheme
  • \r\n\t
  • Access to MySaab; our online store offering everything from cash back at hundreds of stores to discounts from exclusive partners
  • \r\n
\r\n\r\n

Applications

\r\n\r\n

This recruitment and selection process will entail a number of technical and personality/work styles assessments, assessing technical-fit and cultural alignment. 

\r\n\r\n
    \r\n\t
  1. Once applications open, click ‘Apply’ to submit your CV and cover letter in support of your application. You may contact our careers teamfor further information. Kindly observe that this is an ongoing recruitment process and in exceptional circumstances, the position might be filled before the closing date of the advertisement. We encourage applications as early as possible to avoid disappointment.
  2. \r\n
\r\n\r\n

By submitting an application to Saab, you consent to undertaking workforce screening activities including, but not limited to:  reference checks, Australian Federal Police check, verification of working rights and qualifications, sanctions screening and a pre-employment medical declaration.

\r\n\r\n

Saab Australia is an Equal Opportunity Employer and encourages Aboriginal and Torres Strait Islanders to apply. We also welcome applications from individuals with culturally diverse backgrounds. 

\r\n\r\n

Saab Australia is a proud supporter of the Veterans’ Employment Program and welcomes the interest of ex-service members, veterans and their families. 

", - "company": { - "name": "Saab Australia", - "website": "https://au.prosple.com/graduate-employers/saab-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Mxjjyi_0qjJDUXYqWSL7th_UXDPp8OldRenT4L9DOMo/1580797660/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-saab-australia-240x240-2020.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/saab-australia/jobs-internships/engineering-graduate-program-systems-electricalelectronic-mechanicalmechatronic-engineering-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d1" - }, - "title": "Digital Sales Development Intern", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Guides and influences customers in their digital transformation journey.
  • \r\n\t
  • Builds and nurtures a pipeline of sales opportunities.
  • \r\n\t
  • Executes targeted outbound campaigns via phone, chat, and email.
  • \r\n\t
  • Accelerates pipeline and increases conversion through nurturing leads.
  • \r\n\t
  • Collaborates with Field Marketing, Solution Specialists, and Account Executives.
  • \r\n\t
  • Participates in territory and account planning.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • 6 months to 1 year of experience in Demand Generation or Inside Sales.
  • \r\n\t
  • Digital experience with high-volume customer interactions.
  • \r\n\t
  • Excellent interpersonal, verbal, presentation, and writing skills.
  • \r\n\t
  • A positive attitude and willingness to learn.
  • \r\n\t
  • Strong project management and analytical skills.
  • \r\n\t
  • Fluency in English; additional APAC languages preferred.
  • \r\n\t
  • Final-year university students graduating by the end of 2025.
  • \r\n\t
  • Availability to work a minimum of 3 days per week for a 6-month internship.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

SAP offers a strategic, paid internship with a variety of benefit options, including a collaborative team environment and recognition for individual contributions.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Interns will engage in professional development through classroom, e-learning, and mentor-led activities, enhancing demand generation and product skills.

\r\n\r\n

Career progression

\r\n\r\n

Interns will be part of a future candidate pool for sales roles, with opportunities for career advancement within SAP.

\r\n\r\n

How to Apply

\r\n\r\n

Interested candidates should prepare their application, ensuring all qualifications are highlighted, and submit it to the SAP Recruiting Operations Team.

\r\n\r\n

Report this job

", - "company": { - "name": "SAP Australia", - "website": "https://au.prosple.com/graduate-employers/sap-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/PRjT4gwk7aDZ76qxYnFGbijKvC-OuX-fTazhWq74lvw/1592135831/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-sap-240x240-2020.jpg" - }, - "application_url": "https://jobs.sap.com/job/North-Sydney-SAP-Intern_S4HANA-Public-Cloud_Digital-Sales-Development_Sydney-NSW-2060/1153128901/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sap-australia/jobs-internships/digital-sales-development-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d2" - }, - "title": "Grad Operations Shift Manager (Amazon Delivery Station)", - "description": "

Are you a recent graduate with a passion for learning, management and/or data-driven problem-solving? At Amazon, we’re on the lookout for the curious, those who think big and want to define the world of tomorrow. 

\r\n\r\n

At Amazon, you will grow into the high-impact, visionary person you know you’re ready to be. Every day will be filled with exciting new challenges, developing new skills, and achieving personal growth. How often can you say that your work changes the world? At Amazon, you’ll say it often. Join us and define tomorrow. 

\r\n\r\n

Based out of one of our Delivery Stations, Graduate Operations Shift Managers work alongside employees in our Delivery Stations to support their growth & development, identify and remove barriers the teams face, and display ownership of a fast-paced team environment. 

\r\n\r\n

After your initial training and mentorship, you will have a team of associates reporting to you. You’ll support the training and integration of your team. You will build skills and experience that will turn your job into a career! 

\r\n\r\n

Key job responsibilities

\r\n\r\n

You’ll be an inspiring leader at one of our Delivery Stations, where you'll work to continuously improve the efficiency of delivery processes, ensuring that customer orders are delivered quickly, accurately, and cost-effectively. In this position, you'll lead a team or a process from day one. 

\r\n\r\n

At Amazon, we trust the people we hire and provide plenty of support to help you hit the ground running. Our culture is learn-by-doing oriented; you'll take control of your career. Leading by example, you’ll be responsible for the training and integration of your team, while driving progress as you strive for excellence together. 

\r\n\r\n

You’ll exercise sound judgment, ensuring progress and targets are realistic and achievable. It’ll be worth it; the impact you could have, within one of the world’s biggest, most innovative companies, won’t go unnoticed. With us, you can have a hand in creating the future of operations and logistics. 

\r\n\r\n

As a Graduate Operations Shift Manager you will: 

\r\n\r\n
    \r\n\t
  • Review and understanding of the transportation process from Fulfilment Centres to delivery stations
  • \r\n\t
  • Measure and Ensure enough bandwidth in the sortation team to ensure peak-time delivery management
  • \r\n\t
  • Continuously improve the throughput and attain a sustained level of delivery performance improvement
  • \r\n\t
  • Review and assist in the analysis of the data reports to identify performance bottlenecks and improve the performance
  • \r\n\t
  • Research and review on the formal process control and process improvement mechanisms such as Kaizen
  • \r\n\t
  • Need to safeguard your team’s safety while at work.
  • \r\n\t
  • Uphold Amazon’s high standards of quality.
  • \r\n\t
  • Demonstrate problem-solving and analytical capabilities.
  • \r\n
\r\n\r\n

Please note: This role is on a NIGHT shift and you will be working from either Sunday to Wednesday, OR Wednesday to Saturday (four days a week).

\r\n\r\n

Location: NSW

\r\n\r\n

About the team

\r\n\r\n

As a Graduate Operations Shift Manager, you are part of something bigger and amazing. This isn't a corporate role, you will be based in the heart of the action at one of our Delivery Stations, working with other Shift Managers, and support staff and learning everything you need to know about how Amazon Operations works. You will be provided with a mentor and buddy who will support you and guide your work.

\r\n\r\n

Basic Qualification

\r\n\r\n
    \r\n\t
  • Completed tertiary qualification (undergraduate or post-graduate) in the last 24 months in any discipline or degree
  • \r\n\t
  • People Focused
  • \r\n\t
  • Loves to analyse problems
  • \r\n\t
  • Solution-oriented
  • \r\n\t
  • Able to work independently
  • \r\n\t
  • Possess leadership qualities
  • \r\n\t
  • Loves to have fun and make history!
  • \r\n
\r\n\r\n

Please note: To be eligible for this program you will have already graduated for your degree to commence the program this year.

\r\n\r\n

Preferred Qualification

\r\n\r\n
    \r\n\t
  • Some work experience - whether through placement years, internships or university
  • \r\n
\r\n\r\n

The Graduate Program
\r\nWe want to you to feel welcomed, included and valued right from the start. We know that your experiences will help us build a better world. So, if you are insatiably curious and always want to learn more, then you’ve come to the right place. You can expect to: 

\r\n\r\n
    \r\n\t
  • Define your goals, exceed them, and set new ones.
  • \r\n\t
  • Think ahead and put long-term value over short-term wins. We believe in investing in your future.
  • \r\n\t
  • To be the best version of yourself - to continuously evolve and improve
  • \r\n\t
  • Become excellent at making fast decisions, taking calculated risks and fearlessly chasing excellence.
  • \r\n\t
  • Make the impossible, possible.
  • \r\n
\r\n\r\n

Applications and Assessment Process: All candidates will be invited to complete an online assessment which we encourage you to complete within 5 business days. Your application will then be reviewed for suitability for the role. If successful, you will be invited to attend a phone interview followed by three virtual interviews, focusing on our Leadership Principles. 

\r\n\r\n

Note: Applications are reviewed on a rolling basis. For an update on your status, or to confirm your application was submitted successfully, please log in to your candidate portal. Please also note, that the team are reviewing a high volume of applications and appreciates your patience. 

\r\n\r\n

Acknowledgement of country:

\r\n\r\n

In the spirit of reconciliation, Amazon acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://amazon.jobs/en/jobs/2538100/2024-operations-shift-manager-amzl", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/grad-operations-shift-manager-amazon-delivery-station-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d3" - }, - "title": "Graduate Development Program", - "description": "

About the graduate development program

\r\n\r\n

The Clean Energy Regulator Graduate Development Program will provide graduates with the opportunity to develop a well-rounded knowledge of the work of the agency, gain experience in the public sector and foster an understanding of Australia’s biggest policy developments.

\r\n\r\n

Participants of the 2025 Graduate Program will experience: 

\r\n\r\n
    \r\n\t
  • 3 rotations over an 11-month program, commencing 3 February 2026
  • \r\n\t
  • an intensive and engaging development program
  • \r\n\t
  • a calendar of learning and development, networking events and activities
  • \r\n\t
  • a mentor and buddy program to assist you throughout the process
  • \r\n\t
  • a guaranteed position on successful completion of the program
  • \r\n
\r\n\r\n

To be eligible for this program, you will need to:

\r\n\r\n
    \r\n\t
  • have completed an undergraduate degree or higher in the last three years (2022 onwards), or be in your last year of study (to be completed by January 2025)
  • \r\n\t
  • have maintained a credit (or equivalent) average throughout your degree.
  • \r\n\t
  • be an Australian citizen and able to obtain and maintain a security clearance at the Baseline level.
  • \r\n\t
  • be willing to relocate to Canberra (relocation assistance will be offered to successful candidates).
  • \r\n
\r\n\r\n

We are looking for high-calibre, motivated graduates with a wide range of backgrounds and qualifications, including but not limited to:

\r\n\r\n
    \r\n\t
  • Business, commerce, economics and other related disciplines
  • \r\n\t
  • Mathematics, statistics, data science, and other related disciplines
  • \r\n\t
  • Law, political science, policy and environmental studies and other related disciplines
  • \r\n\t
  • Engineering, technology, science and other related disciplines
  • \r\n
\r\n\r\n

We are looking for candidates who can demonstrate the following:

\r\n\r\n
    \r\n\t
  • Ability to work collaboratively to achieve results.
  • \r\n\t
  • Ability to “think outside the box” and offer insight into critical issues.
  • \r\n\t
  • Ability to be flexible, open to change and “roll with the punches”.
  • \r\n\t
  • Ability to make sound situational judgments.
  • \r\n\t
  • Ability to build productive relationships with colleagues and stakeholders.
  • \r\n\t
  • An open mind and willingness to learn, grow and develop yourself and others.
  • \r\n
\r\n\r\n

We welcome and strongly encourage applications from Aboriginal and Torres Strait Islander people, people from a culturally or linguistically diverse background, people with a disability and mature-aged candidates. Applicants are encouraged to indicate this in their application.

\r\n\r\n

Your application should include:

\r\n\r\n
    \r\n\t
  • Your resume/CV
  • \r\n\t
  • A copy of your most recent academic transcript
  • \r\n\t
  • The details for the two referees
  • \r\n\t
  • Let us know, in between 500 and 750 words what your understanding of our Graduate Program is
  • \r\n\t
  • how you envisage completing the 2025 Graduate Program will fit with your broader career goals/aspirations
  • \r\n\t
  • what part of the Program do you think you would get the most benefit from?
  • \r\n
", - "company": { - "name": "Clean Energy Regulator", - "website": "https://au.prosple.com/graduate-employers/clean-energy-regulator", - "logo": "https://connect-assets.prosple.com/cdn/ff/ciB1YReIRda_sFckX8UaiKD4u9HjeQuef5J9MfZdWQM/1681290171/public/styles/scale_and_crop_center_80x80/public/2023-04/1681290168869_RECOMMENDED%20-%20Australian%20Government%20crest%20with%20CER%20-%20stacked%20square.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/clean-energy-regulator/jobs-internships/graduate-development-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-30T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d4" - }, - "title": "Graduate Program - Engineering (Geospatial)", - "description": "

About Nova’s Graduate Program

\r\n\r\n

The two-year Graduate Program will provide you with the experience, supervision, mentoring and training necessary to make a meaningful contribution to Nova, determine your own career pathway and solve the problems that really matter.

\r\n\r\n

The Graduate Program provides:

\r\n\r\n
    \r\n\t
  • A permanent role with Nova Systems
  • \r\n\t
  • A range of placements across different parts of the business
  • \r\n\t
  • A fully inclusive training and professional development program designed specifically for graduates
  • \r\n\t
  • Opportunity to work with experienced industry professionals and highly qualified teams
  • \r\n\t
  • Annual Graduate Summit and regular social events, including travel opportunities
  • \r\n\t
  • Grad Program Committee to shape the NGDP for future generations
  • \r\n\t
  • Competitive remuneration package with a salary of $74,000, plus superannuation contributions as per the Superannuation Guarantee.
  • \r\n\t
  • Salary increase upon the successful completion of 6-month probation period, with a further raise at 18 months.
  • \r\n\t
  • $2,000 per year for individual professional development
  • \r\n
\r\n\r\n

Roles in the Geospatial stream are offered in Melbourne.

\r\n\r\n

What you could be involved in: 

\r\n\r\n
    \r\n\t
  • Delivering exciting projects in the Geospatial (GIS) domain across emergency services, land management and defence
  • \r\n\t
  • Working within a talented and motivated multidisciplinary team, with a focus on building high quality software solutions
  • \r\n\t
  • Applying and developing your coding skills to support the build of enterprise data visualisation and data management solutions
  • \r\n\t
  • Learning spatial concepts and the application of modern geospatial tools and frameworks (such as ArcGIS, Leaflet, Open Layers, GeoServer, OGR/GDAL and Shapely)
  • \r\n\t
  • Building your knowledge of how to work in the cloud through the application of best practice DevOps principles such as infrastructure as code and continuous integration & delivery
  • \r\n\t
  • Helping estimate the scope and time required to deliver projects
  • \r\n\t
  • Engaging with clients and key stakeholders to obtain an understanding of their requirements
  • \r\n\t
  • Working in a collaborative team environment under the Agile (scrum) development process
  • \r\n
\r\n\r\n

What we would expect from you:

\r\n\r\n
    \r\n\t
  • Bachelor's degree in software engineering, Geomatics, Computer Science, Information Technology, or equivalent education
  • \r\n\t
  • Knowledge of spatial data visualisation, spatial data management and/or geospatial platforms
  • \r\n\t
  • A general understanding of the software development life cycle, software deployment processes and cloud infrastructure (preferred, but not essential)
  • \r\n\t
  • Australian Citizenship with a current AGSVA (Australian Government Security Vetting Agency) clearance (or the ability to obtain a security clearance at the appropriate level)
  • \r\n\t
  • Strong written and verbal communication skills
  • \r\n\t
  • Strong client management/stakeholder engagement skills
  • \r\n\t
  • Be a team player with a can-do attitude
  • \r\n
\r\n\r\n

Life at Nova:

\r\n\r\n

At Nova Systems we see things differently. We call this Life at Nova, where our unique perspective on complex challenges allows us to deliver smart solutions for our clients. Our brilliance lies within our highly talented and passionate team. We empower our people by championing professional growth and supporting flexibility.  

\r\n\r\n
    \r\n\t
  • Here is a snapshot of a few of our key benefits, but we have many more (just ask us):
  • \r\n\t
  • Balanced work arrangements and flexible hours to suit individual needs
  • \r\n\t
  • Additional Leave entitlements include Reserve Leave, Loyalty Leave, Parental Leave and Purchased Leave
  • \r\n\t
  • Reward & Recognition – including our Engage Rewards Program offering exclusive discounts from hundreds of major retailers, our Candidate Referral Program, Annual Awards, and more!
  • \r\n\t
  • Prioritising Employee Health and Wellbeing with a range of support, including our Employee Assistance Program (EAP), access to our Wellbeing Hub with health and fitness resources, and a Personal Wellbeing Allowance
  • \r\n\t
  • Join us for regular social club events and functions, including our highly anticipated Annual ANZ Conference. It is a fantastic opportunity to dress up, have fun, and foster a lively and inclusive company culture
  • \r\n
\r\n\r\n

Nova Graduate Information Session: 

\r\n\r\n

As part of our graduate application process, we will be running a Nova Systems Virtual Information Session. Please join us on Wednesday 26th of June 2025 at 2:00pm AEST / 1:30pm ACST to hear from our graduate program leads and hiring managers. The event will be run with an initial presentation to learn more about Nova Systems, followed by breakout rooms where you'll have the opportunity to hear from the hiring managers and current graduates. The event will not be recorded, so please reach out to discuss if you are in exams and unable to make and would like to hear more. Please register your interest below and Team links will be sent out closer to the event!

\r\n\r\n

REGISTER HERE FOR THE INFORMATION SESSION 

\r\n\r\n

Ready to apply:

\r\n\r\n

To apply, please click on the \"apply now\" button and complete the application form - Please include a copy of your university transcript to date. 

\r\n\r\n

Applications close 11.59pm AEST 30 June 2025

\r\n\r\n

Nova Systems is committed to building a diverse and inclusive workplace, where everyone feels safe, valued, and included, where our people are our point of difference.  

\r\n\r\n

Nova Systems respectfully acknowledges the Traditional Custodians of the land and waters in which we live and work, and we pay our respects to Elders past, present and emerging. Nova Systems also acknowledges the services of the Aboriginal and Torres Strait Islander people who have contributed to defending Australia and its national interests. To find out more about our commitment to Reconciliation, please visit our website. 

\r\n\r\n

As a Defence security clearance is required for this role, applicants must be Australian Citizens and eligible to obtain and maintain an appropriate clearance. International Traffic in Arms Regulations (ITAR) are applicable and as such, your nationality may be a factor in determining your suitability for this role. To learn more, please visit our page.

", - "company": { - "name": "Nova Systems", - "website": "https://au.prosple.com/graduate-employers/nova-systems", - "logo": "https://connect-assets.prosple.com/cdn/ff/dY2bm5JCpZjir35y8aML8DMm1Hq4KFHK0obJ7ZFvGG4/1643852855/public/styles/scale_and_crop_center_80x80/public/2022-02/1643850426789_logo.png" - }, - "application_url": "https://epdj.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/550/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nova-systems/jobs-internships/graduate-program-engineering-geospatial-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d5" - }, - "title": "Nuclear Graduate Program", - "description": "

The Role

\r\n\r\n

The acquisition of conventionally-armed, nuclear-powered submarines is an historic and transformative endeavour for Australia. The whole-of-nation effort to safely and securely deliver the cutting edge nuclear-powered submarine program will transform Australia’s economic and national security landscape for decades to come.
\r\n
\r\nEmbark on a career-defining journey with the Australian Submarine Agency (ASA) at a pivotal moment in Australia's defence history. The acquisition of conventionally-armed, nuclear-powered submarines represents a monumental leap forward, not just in military capability but in technological and economic advancement. This initiative is at the heart of Australia's future security and prosperity, offering a unique blend of challenges and rewards.
\r\n
\r\nAs part of the ASA Nuclear Graduate Program, you will dive deep into the intricacies of nuclear submarine development, contributing to a wide range of critical tasks. This 18-month program is structured around three dynamic 6-month rotations, immersing you in the heart of operations and offering a comprehensive view of Australia’s submarine capability through the lens of the AUKUS partnership.
\r\n
\r\nUnparalleled Growth Opportunities Diverse Rotations: Experience the breadth of submarine operations, including a rotation with one of Australia's premier nuclear agencies or key industry players. This is your chance to see the bigger picture, understand different facets of the nuclear ecosystem, and decide where you can make your mark.
\r\n
\r\nTailored Development: Benefit from a dedicated support team, regular development sessions, and exposure to national and international experts. Enhance your skills with specialised training and site tours, designed to propel your career forward.
\r\n
\r\nCareer Advancement: Successful graduates will find themselves on a fast track to advancement, with automatic promotion to APS 5, setting the stage for a distinguished career in defence technology. 
\r\n
\r\nAbout our Team

\r\n\r\n

Why ASA? Beyond the opportunity to contribute to a historic national project, ASA offers a path to becoming an industry leader. Our graduates gain unparalleled exposure to cutting-edge technologies and the global defence landscape, all while being part of a mission that shapes Australia's future. 
\r\n
\r\nOur Ideal Candidate
\r\nWe are a dynamic organisation seeking employees who are agile, innovative and energised by high-paced work. Our ideal candidates will bring the following attributes and skills to the role:
\r\n
\r\nWe Seek Visionaries 
\r\nThe ASA Nuclear Graduate Program is open to recent (last 5 years) STEM or nuclear-related discipline graduates who are driven, innovative, and ready to contribute to a project of national significance.
\r\n
\r\nWe are looking for: Graduates in Science (nuclear, materials, computer, physical, radiological, biological), Engineering (mechanical, electrical, chemical, systems, maritime, aeronautical, mechatronic), Physics, Mathematics, or Data Sciences, who have completed their degree within the last 5 years. Individuals who are resilient, adaptable, and passionate about making a difference. You should be eager to learn, possess unwavering integrity, and share our commitment to Australia's strategic defence objectives.

\r\n\r\n

Our Nuclear Mindset Principles

\r\n\r\n
    \r\n\t
  • Nuclear Safety is paramount
  • \r\n\t
  • Genuine commitment to nuclear security and safeguards
  • \r\n\t
  • The best people dedicated to excellence
  • \r\n\t
  • Maximise lethality, reliability, availability and readiness
  • \r\n\t
  • Accountability
  • \r\n\t
  • Strive for improvement
  • \r\n\t
  • Compliance with approved standards and procedures
  • \r\n\t
  • Not living with deficiencies
  • \r\n\t
  • Decisions are considered, well informed and underpinned by strong technical evidence
  • \r\n\t
  • Clear and effective communication
  • \r\n
\r\n\r\n

Your Future Starts Here

\r\n\r\n

If you are ready to step into a role that challenges and rewards in equal measure, offering a trajectory towards leadership in the defence industry, we invite you to register your interest for the ASA Nuclear Graduate Program. Together, we will safeguard Australia's tomorrow.

", - "company": { - "name": "Australian Submarine Agency", - "website": "https://au.prosple.com/graduate-employers/australian-submarine-agency", - "logo": "https://connect-assets.prosple.com/cdn/ff/okmYOhK5Yit6hZqP14FDz6jiNLiIObSae1M753sPOGM/1709945669/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-asa-480x480-2024.png" - }, - "application_url": "https://defencecareers.nga.net.au/cp/index.cfm?event=jobs.checkJobDetailsNewApplication&returnToEvent=jobs.listJobs&jobid=26DC9D97-93D6-B6E8-DA1A-DA5F9BE9C95F&CurATC=asaext&CurBID=757DA17C-85AA-4648-38C2-D1C183E3FA69&JobListID=025A5E4A-24ED-E39B-990F-D1BFE2B76C58&jobsListKey=bdbfb516-6662-40d1-9418-261414183798&persistVariables=CurATC%2CCurBID%2CJobListID%2CjobsListKey%2CJobID&lid=99180880038&rmuh=C031AA0957C5B406A14DDFBD10C363E13522D06B", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-submarine-agency/jobs-internships/nuclear-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-13T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA", "VIC", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d6" - }, - "title": "Indigenous Graduate Pathway", - "description": "

The Indigenous Graduate Pathway (IGP) provides a rewarding career in the Australian Public Service for Aboriginal and Torres Strait Islander tertiary graduates.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

The IGP provides entry into a number of participating Australian Government agencies who are seeking a diverse range of skills and abilities. Just apply once through the IGP application process and that one application is assessed for all participating agencies. There is no need to complete multiple applications for multiple agencies.

\r\n\r\n

Graduates in the Australian Government will get hands-on experience along with formal development opportunities tailored to build their skills. This will give graduates a professional advantage in the increasingly competitive workforce, wherever their career may take them.

\r\n\r\n

Typically, graduates undertake a structured program which is comprised of:

\r\n\r\n
    \r\n\t
  • Work rotations designed to expose graduates to business areas across the agency
  • \r\n\t
  • Opportunities to undertake a diverse range of real work
  • \r\n\t
  • On the job and formal training to help graduates establish their professional grounding
  • \r\n\t
  • Opportunities to build professional networks
  • \r\n\t
  • 12-24 months program duration depending on hiring agency
  • \r\n\t
  • Positions located across all states and territories of Australia
  • \r\n\t
  • Salary and location is dependent on hiring agency
  • \r\n
\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

This program is open to Aboriginal and Torres Strait Islander people who have completed an undergraduate degree or higher. All degree types are encouraged to apply. The application process will help graduates find career opportunities based on their interests and studies and begin a career with confidence and support.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Be an Aboriginal or Torres Strait Islander person
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n\t
  • Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency
  • \r\n
\r\n\r\n

Most graduate roles are based in Canberra. Some roles may be available in other Australian cities and major regional centres.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/indigenous-graduate-pathway-MCELFEQDGK2VBZ3M32PAWXYNAFCY", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/indigenous-graduate-pathway-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d7" - }, - "title": "Finance Graduate Program", - "description": "

What we provide 

\r\n\r\n
    \r\n\t
  • a full-time, 12-month, award-winning graduate program
  • \r\n\t
  • a competitive starting salary of $70,280 (plus 15.4% super) as an APS3
  • \r\n\t
  • an excellent social and networking base with fellow graduates
  • \r\n\t
  • inspiring work rotations to develop your skills and explore different areas of interest
  • \r\n\t
  • work-life balance including flexible working from home arrangements and generous leave entitlements
  • \r\n\t
  • career progression to a permanent APS 4 level role of more than $86,800 ($75,279 plus 15.4% super), relevant to your stream, when you complete the program.
  • \r\n
\r\n\r\n

What you’ll do 

\r\n\r\n

As a Finance graduate, you’ll do work that matters to deliver positive outcomes for the Australian community.   

\r\n\r\n

You’ll work collaboratively with a supportive team to consult, liaise and negotiate with a range of clients and partners on moderately complex technical or operational issues in relation to resource management functions. You could:   

\r\n\r\n
    \r\n\t
  • provide sound advice to stakeholders on financial management processes in line with agency and financial policy
  • \r\n\t
  • maintain and analyse data in relation to resource management activities to make administrative and operational decisions
  • \r\n\t
  • use functional and technical expertise to resolve issues, identify opportunities and translate financial processes into procedures.
  • \r\n
\r\n\r\n

You’ll receive tailored training and mentoring from subject matter experts to enable you to reach your full potential.    

\r\n\r\n

Who you are  

\r\n\r\n

We’re looking for people with curious minds, who can demonstrate a passion for Australian Government initiatives, enjoy outside the box thinking, sharing ideas and building relationships. If this sounds like you, then this could be the perfect opportunity for you.    

\r\n\r\n

Who can register 

\r\n\r\n

To be eligible to register, you must have completed your university degree within the last five years or be in your final year of study. At the time of commencing our program, you must have completed all your course requirements.  

\r\n\r\n

The program starts in February 2026. You must be an Australian citizen and willing to undergo police, character and health checks as required.

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like the perfect opportunity for you, we encourage you to register your interest today. 

", - "company": { - "name": "Australian Taxation Office (ATO)", - "website": "https://au.prosple.com/graduate-employers/australian-taxation-office-ato", - "logo": "https://connect-assets.prosple.com/cdn/ff/pj7oAoSwYPwm88sFO6z8XetMEKL5ATxqPi4iUou5NsY/1613637760/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-ato-240X240-2021.jpg" - }, - "application_url": "https://www.ato.gov.au/About-ATO/Careers/Entry-level-programs/The-ATO-Graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-taxation-office-ato/jobs-internships/finance-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d8" - }, - "title": "IT Operations Practice", - "description": "Are you ready to embark on an exciting journey and build a rewarding tech career? Join our Graduate Programme in our IT Operations Practice and dive into the world of IT transformation.", - "company": { - "name": "FDM Group Singapore", - "website": "https://au.gradconnection.com/employers/fdm-group-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/b8f3a509-8e79-460f-b81b-65ff2213d9a0-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/1002/singapore--it-operations-practice.html", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-sg/jobs/fdm-group-singapore-it-operations-practice-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3d9" - }, - "title": "Strategy & Engagement Intern #GeneralInternship", - "description": "We are seeking a motivated and detail-oriented intern to join our Strategy & Business Planning team.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Strategy-&-Engagement-Intern-GeneralInternship-Sing/1053216766/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-strategy-engagement-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3da" - }, - "title": "Markets Summer Internship", - "description": "

If you are ambitious and looking to apply what you’ve learned to real-world financial experience, then this is the role for you. In ever-changing global markets you’ll spend your time exploring the sophisticated financial solutions we deliver across asset classes. The skills you develop and the professional network you build will serve as a solid foundation for your career. 

\r\n\r\n

What to expect

\r\n\r\n

Our global Markets teams are active in all major financial markets and develop sophisticated financial solutions to help clients manage risk, increase returns and solve complex financial problems. Globally, we hold leadership positions across all major financial markets. This approach means you'll be part of a dynamic team, helping to solve a range of challenging and interesting business issues and will be challenged in your work. 

\r\n\r\n

As an intern, you will join our Sales team within Markets: 

\r\n\r\n
    \r\n\t
  • Sales helps corporate and institutional clients navigate the breadth of J.P. Morgan product offerings across Markets and Platform Services. They build relationships with clients and package tailor-made solutions that meet the needs of a wide array of clients. A salesperson typically has excellent communication skills, an analytical mind, is a capable multi-tasker, and team oriented.
  • \r\n
\r\n\r\n

You’ll support senior colleagues with important research, analysis and preparatory work. You will monitor markets, develop trade ideas, conduct portfolio reviews, and learn about the solutions and products we offer for clients to manage any market conditions. Your work and contributions will be valuable to the team from the start.

\r\n\r\n

Expert instructors and J.P. Morgan professionals will teach you about our history, the scale and scope of our organization today and our ambitious plans for tomorrow. We’ll teach you technical and practical skills that will help you hit the ground running.

\r\n\r\n

The program is an opportunity to take your career to the next level through hands-on experience, relevant skills training and valuable professional networking. Based on your individual achievements, those who successfully complete the program may receive offers of full-time employment.

\r\n\r\n

About You

\r\n\r\n

A strong interest in global financial markets is essential, as are analytical and quantitative skills, flexibility, teamwork, excellent attention to detail, and the ability to handle pressure and enjoy a collaborative environment.  A well-rounded academic background is important in your undergraduate studies. You certainly don’t need a degree in Economics or Finance, but a good level of numeracy is required.

\r\n\r\n

But beyond that, what we’re most interested in are the things that make you, you: the personal qualities, outside interests and achievements beyond academia that demonstrate the kind of person you are and the perspective you could bring to the team. If you've got initiative and the vision to come up with strategies and plans, then this is the role for you.

\r\n\r\n

Required qualifications, capabilities and skills:

\r\n\r\n
    \r\n\t
  • Expected graduation date of January 2026 – December 2026 from a Bachelor’s or Master’s program from a University located in Australia. \r\n\t
      \r\n\t\t
    • If you are pursuing a Master’s Degree, it must be completed within 2 years of your Bachelor’s Degree
    • \r\n\t
    \r\n\t
  • \r\n\t
  • We’re a global company whose primary business language is English and so fluency in English is required.
  • \r\n\t
  • Ability to thrive in a dynamic, collaborative work environment
  • \r\n\t
  • Being adaptable, flexible and resilient
  • \r\n\t
  • Knowing your way around Excel, PowerPoint and Word
  • \r\n\t
  • Must be Australian Citizen or Permanent Resident at time of application 
  • \r\n
\r\n\r\n

Preferred qualifications, capabilities and skills:

\r\n\r\n
    \r\n\t
  • Excellent analytical, quantitative and interpretative skills
  • \r\n\t
  • Coursework in finance or economics a plus but not a requirement
  • \r\n\t
  • Confidence and initiative to take on responsibility and manage your own projects.
  • \r\n\t
  • Excellent verbal and written communication skills.
  • \r\n
\r\n\r\n

Join Us

\r\n\r\n

At JPMorgan Chase, we’re creating positive change for the diverse communities we serve. We do this by championing your innovative ideas through a supportive culture that helps you every step of the way as you build your career. If you’re passionate, curious and ready to make an impact, we’re looking for you. 

", - "company": { - "name": "J.P. Morgan Australia", - "website": "https://au.prosple.com/graduate-employers/jp-morgan-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/oal-aC_o0FJ-jK4Iy1j__u-59DPHKh9-NMRTQTT2afA/1561669436/public/styles/scale_and_crop_center_80x80/public/2019-06/JPMorgan_Logo_120x120.png" - }, - "application_url": "https://jpmc.fa.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1001/job/210513568/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jp-morgan-australia/jobs-internships/markets-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-02T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3db" - }, - "title": "Technical Internship Program", - "description": "

Pre-register NOW for Schneider Electric's 2026 Internship Program (Technical) are now OPEN!

\r\n\r\n

Perks & Program Essentials

\r\n\r\n
    \r\n\t
  • A 6-month, part-time program (2 – 3 days per week) - get practical experience while balancing uni commitment
  • \r\n\t
  • Flexible working arrangements (WFH + Start/Finish times) and Flex Hours to meet the demands of your study and exam schedule
  • \r\n\t
  • Designated Buddy to help guide you into Schneider-life
  • \r\n\t
  • Mentoring from Schneider Leaders and 1:1 Coaching from Program Manager
  • \r\n\t
  • Priority transition into our highly-ranked Graduate Program
  • \r\n\t
  • Plus, enjoy awesome employee perks like discounts on major brands and recognition programs
  • \r\n
\r\n\r\n

What to Expect

\r\n\r\n

Embark on a dynamic 6-month internship program starting in December 2024. There is also potential to extend the working arrangements beyond the initial 6 months. Accelerate into top-performing teams for an engaging and diverse start to your career. Gain industry exposure and receive support to master essential skills for an impactful career.

\r\n\r\n
\r\n\r\n

About You

\r\n\r\n

We’re looking for Interns who are: 

\r\n\r\n
    \r\n\t
  • In your penultimate year of study
  • \r\n\t
  • Bachelor’s Degree in Engineering (Electrical/Electronic, Mechatronic, Mechanical) or similar
  • \r\n\t
  • Care about Sustainability as much as we do
  • \r\n\t
  • Have a passion for Learning and a Growth Mindset
  • \r\n\t
  • Strengths in Communication, Self-Awareness & Curiosity
  • \r\n
\r\n\r\n

Why Schneider Electric?

\r\n\r\n

Working at Schneider Electric means working toward a cleaner, better world. You're part of a global team built on Inclusion, Mastery, Purpose, Action, Curiosity, and Teamwork, turning sustainability ambitions into actions. ​Be part of the change and make your Impact!

\r\n\r\n

Recruitment Process

\r\n\r\n
    \r\n\t
  1. Submit your application via the Apply Now link
  2. \r\n\t
  3. Digital Assessments (including aptitude & skills)
  4. \r\n\t
  5. Live Digital Interview with our Recruitment Team and Manager
  6. \r\n\t
  7. Intern Program Employment Offer: Congratulations you’re part of the Schneider Electric NextGen program!
    \r\n\t
    \r\n\t*movement through each stage is on the basis of shortlisting progression
  8. \r\n
\r\n\r\n

If you require any adjustments or assistance during our recruitment process, please let us know via email to: earlycareers@se.com

\r\n\r\n

Join us in creating a sustainable future and make an impact! 

", - "company": { - "name": "Schneider Electric Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/schneider-electric-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/O87tL4BrAXgEeyRXyGF6EWkrkxZp310FJR2UIbURuiA/1684204758/public/styles/scale_and_crop_center_80x80/public/2023-05/1684204753587_Untitled-1.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/schneider-electric-australia-new-zealand/jobs-internships/technical-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3dc" - }, - "title": "IT and Computer Science Internships", - "description": "

We offer first-class international computer science & IT internships in companies of all sizes, from large global corporations to exciting start-ups. Technology dominates our daily lives and plays a pivotal role in the business world and an internship in IT will help you stand out in this competitive industry.

\r\n\r\n

Overview 

\r\n\r\n

Empower your IT career aspirations with a challenging and rewarding computer science & IT internship. Gain a distinct advantage in the global tech landscape by acquiring highly sought-after skills through hands-on internships at renowned organizations.  

\r\n\r\n

Explore your passion for IT specializations, develop your expertise under the guidance of industry leaders, and build a compelling resume that showcases your practical experience. 

\r\n\r\n

We have previously placed interns in roles specializing in app and website development, cyber security, data science, machine learning, UX, software engineering, and database design and management, online & in all of our program destinations.

\r\n\r\n

Our award-winning program matches internship opportunities to your specific interests and skills. From multinational corporations and cutting-edge business incubators to innovative start-ups, we partner with leading organizations in the IT & Computer Science industry that are looking for motivated interns.

\r\n\r\n

Responsibilities

\r\n\r\n

Some responsibilities that you may have while completing an IT internship program include:

\r\n\r\n
    \r\n\t
  • Front and back-end web development
  • \r\n\t
  • Using a variety of coding languages
  • \r\n\t
  • Quality Assurance Testing to ensure that all bugs are found
  • \r\n\t
  • Working with robots to automate manual processes
  • \r\n\t
  • Data engineering, management, and analysis
  • \r\n
\r\n\r\n

Available programmes

\r\n\r\n
    \r\n\t
  • In-Person Computer Science & IT internships: Combine first-class professional experience and culture immersion with an in-person IT internship in global cities.
  • \r\n\t
  • Blended Computer Science & IT internships: Spend four weeks working abroad then continue your internship with the same company remotely from anywhere in the world. This offers accessibility and flexibility for those who don't wish to live abroad for long periods.
  • \r\n\t
  • Remote Computer Science & IT internships: Make your resume shine and grow your network, wherever you are - all you need is your laptop. Our virtual internship program includes a remote internship to fit your schedule, best-in-class career advancement training, and twelve-month access to exclusive, real-time keynote career talks from global business leaders.
  • \r\n\t
  • Digital Nomad Computer Science & IT internships: Travel to an exciting international destination and work remotely. Live and work like a local!
  • \r\n
\r\n\r\n

What’s Included

\r\n\r\n
    \r\n\t
  • Guaranteed internship
  • \r\n\t
  • Exclusive workshop series
  • \r\n\t
  • Professional development materials
  • \r\n\t
  • Career advancement training
  • \r\n\t
  • Global community & network
  • \r\n\t
  • Alumni success coaching
  • \r\n\t
  • CV improvement tool
  • \r\n\t
  • 24/7 support
  • \r\n\t
  • Visa support
  • \r\n\t
  • Accommodation (if applicable)
  • \r\n\t
  • Airport pickup
  • \r\n\t
  • Cultural & social events
  • \r\n
\r\n\r\n

Duration

\r\n\r\n

Between 4 and 24 weeks, depending on the program and destination. 

\r\n\r\n

Start Dates

\r\n\r\n

You can start your internship at a time that suits you – we offer internship start dates every month, all year round.

\r\n\r\n

Time Commitment 

\r\n\r\n

In-person programs usually demand a full-time commitment for your internship. 

\r\n\r\n

Remote and Digital Nomad programs can be full-time or part-time. 

\r\n\r\n

About The Intern Group

\r\n\r\n

With over 1,000+ five-star reviews, The Intern Group is the leading provider of award-winning internship programs, online and abroad, in the USA, Europe, Asia, Australia, and Latin America. Become part of our 15,000+ multinational alumni network and embark on your international tech journey today to unlock your full potential!

\r\n\r\n

How to apply

\r\n\r\n

To apply for this role and to find out more, please click on the apply button.

\r\n\r\n

What our Alumni Say 

\r\n\r\n

“My 2 month Dublin internship was amazing. I learned so many valuable skills, which I have no doubt will aid me in my future endeavours. The  Intern Group team was very supportive and friendly. The program not only gives you a chance to gain work experience but also so many other experiences in the chosen location where you can meet new people and form connections as well as learn about the location's people and culture.” - Anas A.

", - "company": { - "name": "The Intern Group", - "website": "https://au.prosple.com/graduate-employers/the-intern-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/eQleSVghhvk_LG2rXFspoPUA6h8dgBHD4P2tjRF1cdg/1568193304/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-The-Intern-Group-120x120-2019.jpg" - }, - "application_url": "https://theinterngroup.com/career-fields/it-and-computer-science-internships?utm_source=prosple&utm_medium=listing-page&utm_campaign=third-party-advertisers&utm_content=it-computer-science", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/the-intern-group/jobs-internships/it-and-computer-science-internships" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3dd" - }, - "title": "Policy and Program Stream Graduate Program", - "description": "

Have you recently graduated from university, looking for an inclusive and diverse work environment, want to make a real difference, be valued, take on endless opportunities for growth whilst being your authentic self?

\r\n\r\n

If you answered yes to any of the above, the NIAA Graduate Program wants you to apply! 

\r\n\r\n

Our Policy and Program Stream is for graduates who are inquisitive, flexible and keen to contribute and learn about policy and program design, development, implementation and evaluation.

\r\n\r\n

Our Agency is unique: we are about people, purpose and partnerships. We are committed to a common goal, we care about each other and our stakeholders, and we work with in partnerships to support the self-determination and aspirations of First Nations peoples. 

\r\n\r\n

What NIAA provides

\r\n\r\n
    \r\n\t
  • 12-month program consisting of three rotations through various work areas with a potential rotation in one of our metropolitan, regional or remote locations.
  • \r\n\t
  • Commencing as an APS4, salary of $77,558 p.a. + superannuation with eligible advancement to the APS 5 level and have the opportunity to be assessed to advance to the APS 6 level.
  • \r\n\t
  • Various locations on offer Brisbane, Canberra, Darwin and Perth
  • \r\n\t
  • Choose from one of our tailored streams Policy and Program, Corporate and Enabling and Operations and Delivery
  • \r\n\t
  • Extensive professional learning and development opportunities to support your career progression and possible future promotions.
  • \r\n\t
  • Experience our award-winning cross-cultural learning ‘Footprints Program’.
  • \r\n\t
  • An inclusive and diverse workplace including of our 6 diversity networks:\r\n\t
      \r\n\t\t
    • Aboriginal and Torres Strait Islander Network
    • \r\n\t\t
    • Culturally and Linguistically Diverse Network
    • \r\n\t\t
    • Disability Network
    • \r\n\t\t
    • Pride Network
    • \r\n\t\t
    • Wellbeing Network
    • \r\n\t\t
    • Women’s Network
    • \r\n\t
    \r\n\t
  • \r\n\t
  • People are the heart of the NIAA, Graduates are no different we provide tailored dedicated support through, buddies, mentors, pastoral care as well as networking opportunities.
  • \r\n
\r\n\r\n

The work you will do

\r\n\r\n

As a NIAA graduate, you will develop the skills, capabilities and networks to progress in their APS careers while contributing to implementing the Government’s priorities to provide the greatest benefit to all First Nations people. 

\r\n\r\n

It’s an incredibly exciting time to be joining the NIAA as we work in partnership to enable the self- determination and aspirations of First Nations people and communities. The Agency is unique, providing endless opportunities and great diversity in our roles, from policy, programs, engagement, grants administration and corporate, and much more. 

\r\n\r\n

In the Policy and Program stream you will work with First Nation’s communities and across the public service to implement policies and programs on the ground. The Policy and Program stream will allow you to work in various strategic, social and economic policy and program areas of the Agency.

\r\n\r\n

Rotation opportunities in:

\r\n\r\n

Closing the gap, culture and heritage, early years and education, families and safety, health and wellbeing, housing and infrastructure, employment, land and environment, business and economics, constitutional recognition & truth telling and much more.

\r\n\r\n

You could be assisting with the following key pieces of work:

\r\n\r\n
    \r\n\t
  • Providing advice to the Minister and Assistant Minister for Indigenous Australians, as well as the Special Envoy for Reconciliation and the Implementation of the Uluru Statement from the Heart
  • \r\n\t
  • Implementation of the Uluru Statement from the Heart – Voice, Treaty and Truth.
  • \r\n\t
  • working closely with Aboriginal and Torres Strait Islander communities, state and territory governments and Indigenous organisations
  • \r\n\t
  • Implementation of the National Agreement on Closing the Gap
  • \r\n\t
  • Developing policies and delivering programs with and for First Nations Peoples
  • \r\n\t
  • Working with and advising other government agencies on Indigenous affairs matters
  • \r\n\t
  • Championing reconciliation throughout Australia.
  • \r\n\t
  • Working closely with Aboriginal and Torres Strait Islander communities, state and territory governments and Indigenous organisations
  • \r\n
\r\n\r\n

Who we’re looking for? 

\r\n\r\n

The NIAA has an ambitious reform agenda ahead of us, we are seeking candidates that want to work at the NIAA because they are passionate and want to make a real difference by contributing to work that ensures Aboriginal and Torres Strait Islander peoples are heard, recognised and empowered.

\r\n\r\n

We are looking for a variety of academic disciplines with diverse experiences and backgrounds.  Our graduate roles are fast-paced, dynamic and present an exciting opportunity for someone with curiosity and a willingness to learn. 

\r\n\r\n

So, if you are someone that wants to leave your mark on the public service and be able to point to an accomplishment that has lasting impacts for the Australian people, NIAA is the place for you.

\r\n\r\n

Did you know?

\r\n\r\n

The 2026 NIAA Graduate program has both an affirmative measures disability and affirmative measures Indigenous recruitment process. What does this mean? Affirmative measures are vacancies designed to address the under-representation of people who identify as having disability or as Aboriginal and/or Torres Strait Islander in the Australian Public Service (APS).

\r\n\r\n

Who can apply

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last eight years or be in your final year of study with at least a credit average.

\r\n\r\n

You also must be an Australian citizen and willing to undergo police pre-screening checks as required. Be able to obtain and maintain an Australian Government security clearance to a minimum of Baseline level.

\r\n\r\n

Timeline

\r\n\r\n
    \r\n\t
  • 4 March–22 April: Submission of a simple online application, including a 300-word pitch, resume with referees and academic transcript.
  • \r\n\t
  • May: Online video interview
  • \r\n\t
  • July: Virtual Assessment Centre including a speed interview, written activity and group activity and Referee checks.
  • \r\n\t
  • September: Offers
  • \r\n\t
  • February 2026: Successful candidates commence the program.
  • \r\n
\r\n\r\n

Please note you may receive an ongoing or non-ongoing offer separate from the Graduate Program

\r\n\r\n

How to apply

\r\n\r\n

We have a real purpose with endless opportunities. 

\r\n\r\n

Leave your mark on the public service apply today for the NIAA Graduate Program, applications close 22nd April 2025.

\r\n\r\n

To find out more please visit our website.

", - "company": { - "name": "National Indigenous Australians Agency (NIAA)", - "website": "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa", - "logo": "https://connect-assets.prosple.com/cdn/ff/OTPxfq07P3Q0axb7hNQnDYp5AIrHdL-Wr8YGc27goO4/1580832362/public/styles/scale_and_crop_center_80x80/public/2020-02/Logo-NIAA-745x745-2020.jpg" - }, - "application_url": "https://niaa.nga.net.au/cp/index.cfm?event=jobs.home&CurATC=NIAA&CurBID=AC113B92%2DCCAC%2D799D%2DE533%2DAD7111CC408D&persistVariables=CurATC%2CCurBID&rmuh=E1C0ED99AC06199C0E3BE1BDECFDA48DD471FE16", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa/jobs-internships/policy-and-program-stream-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-01T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NT", "QLD", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3de" - }, - "title": "Research Graduate - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Research graduates plan and conduct research into a variety of issues and areas to assist their IT  agency or department within the Queensland Government. The research graduate utilises a strategic view and will undertake research to validate current thinking, look for trends, compare policies, understand best practice and uncover emerging issues or improvements that may impact their workplace.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a research role may include:

\r\n\r\n
    \r\n\t
  • contributing to research and analysis on IT public policy and strategy
  • \r\n\t
  • assisting with the preparation of data and information reports, publications and presentations
  • \r\n\t
  • contributing to writing briefs, submissions, and correspondence
  • \r\n\t
  • assisting with projects, initiatives, administration and support.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a research role will have:

\r\n\r\n
    \r\n\t
  • strong organisational skills and problem-solving skills
  • \r\n\t
  • ability to analyse and collate information
  • \r\n\t
  • effective communication and time management skills
  • \r\n\t
  • a high level of interpersonal and liaison skills
  • \r\n\t
  • an ability to produce detailed and accurate work including high level writing skills
  • \r\n\t
  • integrity, be able to be discreet and to maturely deal with sensitive issues.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of modern research techniques and project management.

\r\n\r\n

Understanding of:

\r\n\r\n
    \r\n\t
  • government writing styles
  • \r\n\t
  • project, data capture and research reporting
  • \r\n\t
  • research forums and information sharing.
  • \r\n
\r\n\r\n

Your degree may be in information technology, telecommunications, law, business, information management, engineering, commerce or accounting.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/research-graduate-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3df" - }, - "title": "Corporate Analyst Development Program Summer Internship", - "description": "

About J.P. Morgan Australia

\r\n\r\n

J.P. Morgan Australia is a global leader in financial services, offering solutions to the world's most important corporations, governments, and institutions in more than 100 countries. The company leads volunteer service activities for employees in local communities by utilizing its many resources, including those that stem from access to capital, economies of scale, global reach, and expertise.

\r\n\r\n

Your role

\r\n\r\n

If you enjoy collaborating and identifying ways to improve processes, then their Corporate Analyst Development Program is right for you. You'll work with a variety of professionals to drive growth, make sure operations are effective, and manage risk while maintaining the highest standards.

\r\n\r\n

You'll gain insight into how their businesses come together to serve their clients around the world. You'll have the opportunity to make meaningful contributions while developing your professional expertise in a dynamic team environment.

\r\n\r\n

Working here means joining a collaborative, supportive team. They want your diverse perspective to help them innovate the next wave of products and solutions for their clients. they'll give you what you need to succeed including training, mentoring, access to senior leaders, and projects that engage all your skills.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Our Internship Program offering:

\r\n\r\n

This 9-week program in Sydney offers the unique opportunity to sharpen your technical, analytical, and leadership skills. You'll start with hands-on training, and then participate in one of the program's core disciplines – analytics, project management, process improvement, and risk and control – in one of their Corporate and Investment Bank Operations teams. Top performers may receive a full-time offer at the end of the summer program.

\r\n\r\n

You'll make an impact through:

\r\n\r\n
    \r\n\t
  • Analytics: Understand and identify connections between business opportunities/challenges and underlying data.
  • \r\n\t
  • Project Management: Working with Operations, Finance, Risk Management, Product Management, Client Services, Technology, Legal, and Compliance to communicate business needs and help drive the direction of a project throughout its life cycle
  • \r\n\t
  • Process Improvement: Identifying potential improvement opportunities by assessing risks, costs, and benefits of the alternative decisions and engaging business stakeholders
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

In ever-changing global markets you'll spend your time exploring the sophisticated financial solutions they deliver across asset classes. The skills you develop and the professional network you build will serve as a solid foundation for your career. At the end of the summer internship, there is potential to be offered a graduate role. 

\r\n\r\n

Work life balance

\r\n\r\n

At J.P. Morgan Australia, they put opportunities within reach, make banking easier and build stronger communities. They respect everyone's unique voice and recognize those who make an impact.

\r\n\r\n

Culture & vibe

\r\n\r\n

J.P. Morgan Australia strives to “attract talent from the broadest pool to foster innovation, creativity, and productivity”. It is “deeply committed to hiring and retaining employees from different backgrounds, experiences, and locations”. It has introduced industry-leading initiatives to hire and promote staff who are disabled, female, or from ethnic minorities. 

\r\n\r\n

About you

\r\n\r\n

J.P. Morgan Australia is looking for motivated individuals with the vision and initiative to develop solutions that drive change. All majors are welcome to apply.

\r\n\r\n

Key skills and qualities include:

\r\n\r\n
    \r\n\t
  • Excellent project management and problem-solving skills with a desire to drive change
  • \r\n\t
  • Exceptional interpersonal and communication skills
  • \r\n\t
  • A strong team player who is proactive, responsive and can thrive in a fast-paced, collaborative environment
  • \r\n\t
  • Ability to take large amounts of information and use it to develop innovative solutions with strong attention to detail
  • \r\n\t
  • Know Microsoft Excel and PowerPoint
  • \r\n\t
  • Enthusiasm for financial services
  • \r\n\t
  • Demonstrated leadership in a school or community organization
  • \r\n\t
  • Relocation assistance will not be provided for the Corporate Analyst Development Summer Analyst Program
  • \r\n\t
  • In order to be considered, all eligible applicants must be Australian citizens or Permanent Residents at the time of submitting their application.
  • \r\n
", - "company": { - "name": "J.P. Morgan Australia", - "website": "https://au.prosple.com/graduate-employers/jp-morgan-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/oal-aC_o0FJ-jK4Iy1j__u-59DPHKh9-NMRTQTT2afA/1561669436/public/styles/scale_and_crop_center_80x80/public/2019-06/JPMorgan_Logo_120x120.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jp-morgan-australia/jobs-internships/corporate-analyst-development-program-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-13T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e0" - }, - "title": "Graduate Hire 2024/25 - Product Manager", - "description": "The Supernova Program is a 3-year Career Accelerator Program that aims to fast-track, high performing graduates into technical experts and future leaders mainly in the fields of Product Engineering, Product Management, and Product Design.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6082317003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-product-manager-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e1" - }, - "title": "Unilever Future Leaders Programme", - "description": "

On any given day, 2.5 billion people globally use Unilever products to feel good, look good and get more out of life. Many of our brands are well-known, household staples and old-time favourites including Dove, Rexona, Lynx, Vaseline, OMO/Persil, Surf, TRESemmé, Continental, Ben & Jerry’s and Streets.

\r\n\r\n

We have a long tradition of being a progressive, responsible business. It goes back to the days of our founder William Lever, who launched the world’s first purposeful brand, Sunlight Soap more than 100 years ago, and it’s at the heart of how we run our company today. In 2022 Unilever Australia & New Zealand became a Certified B Corporation™ (B Corp), joining a growing network of organisations committed to galvanising a stronger, more inclusive, equitable and regenerative economy for all.

\r\n\r\n

A job at Unilever is a career made by you, with development opportunities, benefits and a working culture that embraces diversity and is pioneering flexibility. There’s no better time to join our team!

\r\n\r\n

Key Features of the Program:

\r\n\r\n
    \r\n\t
  • Hands-on experience in business challenges
  • \r\n\t
  • Work with experts across multiple disciplines
  • \r\n\t
  • Any discipline is welcome
  • \r\n\t
  • Duration: 2-year program
  • \r\n\t
  • Location: Australia – Sydney base
  • \r\n
\r\n\r\n

What do we look for?

\r\n\r\n
    \r\n\t
  • People skills are essential. We look for people with ambition, an interest in business and the courage to offer creative insights and execute change.
  • \r\n\t
  • Individuals who can build relationships and have a talent in influencing and negotiation go a long way.
  • \r\n\t
  • Individuals who are resilient, resourceful, have strong analytical and communication skills and a passion for the winning.
  • \r\n\t
  • Bachelor’s Degree in any fields of study.
  • \r\n
\r\n\r\n

Our Future Leaders Program

\r\n\r\n

The Unilever Future Leaders Programme is about developing tomorrow’s leaders, today.

\r\n\r\n

We offer world-class development opportunities in a fast-paced, challenging work environment. That means you'll learn from the best, both internally and externally; inspiring leaders and colleagues to support your professional and personal growth. As well as learning on the job, you'll have access to many carefully selected learning programmes to build fundamental leadership and business skills.

\r\n\r\n

You'll need to be focused and ambitious to get where you want, identifying opportunities and taking responsibility for your own development.

\r\n\r\n

What we need from you

\r\n\r\n

We are looking for highly talented motivated individuals, hungry for a challenge and ready to significantly contribute towards the success of the Unilever team for this business area. We will accept applications from any discipline. We require you to have working rights in Australia and/or New Zealand to be eligible.

\r\n\r\n

If you have any questions about your application or if you require special arrangements/reasonable adjustments to be made to complete any part of the application process, please contact the Graduate Recruitment Team at ANZ.Talent@Unilever.com .

\r\n\r\n

Life at Unilever is a lot of fun – just like our application process! Check out what you'll experience when you apply for one of our Unilever Future Leaders Programs.
\r\n
\r\nPre-register now to be notified when applications open. 

\r\n\r\n

The core of Unilever’s culture is captured as Human, Purposeful, Accountable. You will be joining a dynamic, flexible, and inspiring work environment that truly cares about your wellbeing, values what you do and celebrates your success. This is your opportunity to be part of a purpose-led business and a global community where you can progress your career both locally and internationally.

\r\n\r\n

This is a great opportunity to work within an iconic and global organisation. We have gained our reputation as one of the world's most admired employers by providing an environment where individuals can achieve their goals, both professionally and personally.
\r\n
\r\nMake no mistake we expect a lot from our people as they do of us. So, if you can rise to the challenge, don't waste any time - apply now!
\r\nIf you require reasonable adjustments for the application and recruitment process, please advise us on ANZ.talent@unilever.com.

\r\n\r\n

Unilever is an organization committed to equity, inclusion and diversity to drive our business results and create a better future, every day, for our diverse employees, global consumers, partners, and communities.

\r\n\r\n

This means we encourage people with all backgrounds to apply, including Aboriginal and Torres Strait Islander Peoples, Māori and Pacific Peoples, and people with disabilities. Interested in learning more, check out our Reconciliation Action Plan and Workplace Adjustment Policy on the Unilever webpage.

\r\n\r\n

At Unilever we are interested in every individual bringing their ‘Whole Self’ to work and this includes you! We encourage you to advise us at the time of your application if you require any reasonable adjustment so that we can support you through your recruitment journey.

", - "company": { - "name": "Unilever ANZ", - "website": "https://au.prosple.com/graduate-employers/unilever-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/7rUvNrBglx3cYQssPCEX-G93B1R3VW_q0Ah3P_95SEI/1568688535/public/styles/scale_and_crop_center_80x80/public/2019-03/unilever_global_logo.png" - }, - "application_url": "https://unilever.wd3.myworkdayjobs.com/Unilever_Early_Careers/job/North-Rocks-Sydney-Australia/Unilever-Future-Leaders-Programme---Marketing--Sydney-_R-91049", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/unilever-australia-and-new-zealand/jobs-internships/unilever-future-leaders-programme-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e2" - }, - "title": "DTA Graduate Program", - "description": "

Who we are

\r\n\r\n

At the DTA, we offer interesting and challenging work that is at the forefront of the Government’s digital policy agenda. The DTA is the Government’s chief digital advisor, responsible for providing strategic and policy leadership on whole-of-government and shared information and communications technology (ICT) investments and digital service delivery. The DTA leads the development, delivery and monitoring of whole-of-government digital strategies, policies and standards.

\r\n\r\n

The important stuff 

\r\n\r\n

As a graduate, you will be a part of a professional and progressive organisation where you will have the opportunity to engage in meaningful and challenging work with the support to develop your skills, knowledge, and networks to make a real impact and be part of a community that helps to drive digital transformation. 

\r\n\r\n

We are committed to providing a working environment that values diversity and inclusion and supports employees to reach their full potential. Given this, we encourage applications from Aboriginal and Torres Strait Islander peoples, people with disability and people from other diverse backgrounds. 

\r\n\r\n

We are looking for motivated graduates who are:

\r\n\r\n
    \r\n\t
  • passionate about making a difference to the Australian Community, with an interest in digital and policy.
  • \r\n\t
  • comfortable with fast paced environments and outcome focused
  • \r\n\t
  • have a positive attitude and a desire to learn have a growth mindset.
  • \r\n\t
  • collaborative, innovative, ambitious, and adaptable.
  • \r\n\t
  • located in or willing to relocate to Canberra for the duration of the program.
  • \r\n
\r\n\r\n

About the program

\r\n\r\n

The 2025 DTA Graduate Program is a 10-month development program designed to provide you with the opportunity to learn and grow in your career across the APS. We offer a supportive environment where we focus on training and development and providing you with the resources to build your career, develop your skills and find your passions. 

\r\n\r\n

The 2025 DTA Graduate Program includes:

\r\n\r\n
    \r\n\t
  • 2 work placements and the opportunity to explore your interests.
  • \r\n\t
  • exposure to a diverse range of work to build on your strengths, skills and capabilities.
  • \r\n\t
  • an inclusive and welcoming workplace culture where everyone is valued and supported.\r\n\t
      \r\n\t\t
    • generous and attractive starting salary of $66,853 per annum, which will increase to $74,932 per annum upon successful completion of the 10-month program.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • 15.4% superannuation on top of your salary.
  • \r\n\t
  • flexible and hybrid working arrangements, such as working from home arrangements, condensed fortnights, part-time work and more.
  • \r\n\t
  • generous leave entitlements to help you achieve life balance - including 4 weeks annual leave per year and 18 days personal leave per year.
  • \r\n\t
  • enrolment in the Australian Public Service Commission Graduate Development Program, which builds foundational skills, behaviours, mindsets, and networks to make a significant contribution to the APS.
  • \r\n\t
  • 4 weeks of annual leave per year and 18 days personal leave per year.
  • \r\n\t
  • a permanent job in the DTA and APS on successful completion of the 10-month program.
  • \r\n\t
  • a range of supportive mentoring and networking opportunities and events.
  • \r\n
\r\n\r\n

Support

\r\n\r\n

It’s important to us that you feel supported and welcomed to the DTA, and you settle into your new city with ease. You’ll also have:

\r\n\r\n
    \r\n\t
  • The graduate cohort – you will have an immediate social network.
  • \r\n\t
  • A buddy—before you even start work with us, we’ll pair you up with a graduate from the previous year’s program or the broader DTA. Your buddy can offer you tips on finding housing, good restaurants, and fun activities in Canberra. Your buddy will help you to start building your network early.
  • \r\n\t
  • The graduate coordinator—will help with your relocation to Canberra and once you start work, they will organise regular check-in meetings, and be your primary contact and support person throughout the year.
  • \r\n\t
  • Mentor—we’ll match you with a mentor who you will meet with monthly to help settle you into the APS and DTA and who you can go to for advice during the year.
  • \r\n\t
  • Your team—you’ll have two placements throughout the year and that means two different teams to get to know and work with. Your team supervisor will also support you in your day-to-day work.
  • \r\n
\r\n\r\n

Work placements

\r\n\r\n

Work placements are determined as the year progresses and will be based on your individual interests coupled with current organisational requirements. This approach offers graduates a challenging experience and meaningful work opportunities, whilst also providing a deeper understanding of the important work we do across the agency.

\r\n\r\n

Placements vary significantly and could see you:

\r\n\r\n
    \r\n\t
  • helping to set the course for Australia’s digital future.
  • \r\n\t
  • launching websites, strategies and resources.
  • \r\n\t
  • engineering improved processes and tooling for capability assessment processes.
  • \r\n\t
  • providing assurance on government investments.
  • \r\n\t
  • assisting in the preparation of minutes, correspondence, presentations, briefing papers, advice to Ministers and cabinet submissions.
  • \r\n\t
  • witnessing the lifecycle of government budget processes.
  • \r\n\t
  • chairing meetings and acting as a point of contact for external agencies.
  • \r\n\t
  • drafting and contributing to the implementation of whole of government digital initiatives.
  • \r\n\t
  • building your skills and, by doing so, helping our agency reach its strategic goals.
  • \r\n
\r\n\r\n

 

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Digital Transformation Agency", - "website": "https://au.prosple.com/graduate-employers/digital-transformation-agency", - "logo": "https://connect-assets.prosple.com/cdn/ff/Hf7XhZJi21czYwasKwWOpGM0jA2vD3zLuJWG78cdAi4/1707695717/public/styles/scale_and_crop_center_80x80/public/2024-02/1707695715306_24-0029%20%20logo.png" - }, - "application_url": "https://dta.gov.au/jobs", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/digital-transformation-agency/jobs-internships/dta-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e3" - }, - "title": "Digital (ICT) Stream Graduate Program", - "description": "

Who are we looking for?

\r\n\r\n

Do you want to:

\r\n\r\n
    \r\n\t
  • improve the lives of millions trying to learn and earn?
  • \r\n\t
  • have a direct impact on ambitious multi-million-dollar government programs?
  • \r\n\t
  • play a valued part in a once-in-a-generation change in the way the Australian Public Service (APS) does business with technology?
  • \r\n\t
  • enjoy solving the most challenging problems in stimulating and flexible environments?
  • \r\n\t
  • work in multi-disciplinary teams with skilled APS staff and industry experts?
  • \r\n\t
  • build resilient modern services with cloud technologies that can better respond to the changing needs of the Australian community?
  • \r\n
\r\n\r\n

Our ICT teams deliver digital solutions to help achieve the Government’s vision of providing a personalised experience that is stable, secure, reliable, and ultimately anticipates the needs of every user most impacted by our work.

\r\n\r\n

The department is continually exploring and investing in innovative cloud technologies and is recognised as being at the forefront of technology deployment in the APS. We are constantly improving our desktop applications and facilities to provide a better experience for our ICT staff.

\r\n\r\n

We also recognise this goes beyond using cutting-edge tools to include support for methods and mindsets as we face an increasingly unpredictable future. To meet this challenge, our current focus is on embedding and resourcing DevOps and agile methodologies, and human-centred design into our ways of working.

\r\n\r\n
\r\n

‘The department provides a wide range of Information Technology and Digital services to its staff and external customers including other government agencies, job seekers, employers, students and service providers. We are looking for people who are passionate about IT services and creating great experiences for the people who use them. We are looking for people who are innovative and creative and have an interest in building technology, IT security, IT infrastructure, design thinking, user centred design, data and analytics, program and project management and digital channel engagement. We want people who like to solve problems and who want to be part of a team that develops solutions.’ - Kerryn Kovacevic, Chief Digital Officer

\r\n
\r\n\r\n

What our digital graduates do

\r\n\r\n

Graduates will be working in a fast-paced environment where opportunities are exciting and diverse.

\r\n\r\n

Opportunities for graduates include:

\r\n\r\n
    \r\n\t
  • development/coding
  • \r\n\t
  • user experience (UX)
  • \r\n\t
  • service and visual design
  • \r\n\t
  • testing; sophisticated business and data analysis and tools such as Artificial Intelligence (AI) and Machine Learning (ML).
  • \r\n
\r\n\r\n

While our work is mostly based in Canberra, we also have offices in Melbourne and Sydney, and our teams are practiced at working flexibly to get the job done. To support this transformation, the digital landscape for the department is evolving. Graduates will have the opportunity to work across in a range of teams designed to deliver services for the community. These include teams with technical focuses, business design focuses and enabling functions.

\r\n\r\n

Technical opportunities

\r\n\r\n
    \r\n\t
  • Development/coding (mainly Microsoft product suite
  • \r\n\t
  • Data base development and administration (SQL)
  • \r\n\t
  • Data warehousing and analytics
  • \r\n\t
  • Network and gateway
  • \r\n\t
  • ICT security
  • \r\n\t
  • ICT forensics
  • \r\n\t
  • Unified communications
  • \r\n\t
  • Server build and management
  • \r\n\t
  • Mobile workspaces
  • \r\n\t
  • System Administration and Operations
  • \r\n
\r\n\r\n

Business Design opportunities

\r\n\r\n
    \r\n\t
  • Service design
  • \r\n\t
  • User experience design
  • \r\n\t
  • User interface design
  • \r\n
\r\n\r\n

Enabling Service opportunities

\r\n\r\n
    \r\n\t
  • Contract management
  • \r\n\t
  • Financial services
  • \r\n\t
  • Project reporting design and visualisation
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible for the Digital stream you must submit a completed application through the AGGP process prior to the closing date and time. Eligibility may include the following:

\r\n\r\n
    \r\n\t
  • evidence of Australian citizenship
  • \r\n\t
  • have completed (or will complete) at least an Australian Qualifications Framework Level 7 qualification (a Bachelor degree), equivalent, or higher equivalent by 31 December 2025
  • \r\n\t
  • have completed your most recent degree no more than 5 years ago on the date you lodge your application.
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance once accepted onto the program when required. Further information on security clearances is available from Australian Government Security Vetting Agency (AGSVA)
  • \r\n\t
  • be willing to undergo any police, character, health, or other checks required.
  • \r\n
\r\n\r\n

Successful applicants will be placed in a merit pool that will be considered by the APS and Commonwealth entities. Please note that agencies and departments and will offer different employment conditions and graduate program features.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/digital-stream-MC3D3RNPVDMRDDNGDBTXBQITQARA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/digital-ict-stream-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "OTHERS"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e4" - }, - "title": "Sales Intern", - "description": "

About Sandhills Pacific

\r\n\r\n

Over decades of continuous expansion, Sandhills evolved into new markets, launching specialized publications and embracing online technologies. With investments in advanced print technology and server infrastructure to facilitate global operations, the company, now known as Sandhills Global, provides cloud services enhancing advertising, auctions, and wholesale and rental platforms, fostering connectivity between buyers and sellers across diverse markets. Employing nearly 1200 people worldwide, Sandhills Global operates as an innovative industry force, catering to the needs of multinational corporations and small, family-owned businesses supplying essential equipment to farmers.

\r\n\r\n

Your role

\r\n\r\n

The goal of the Sales Internship is to assist in obtaining listings and advertisements from customers for the publication the student is assigned. The student will learn about company products and business objectives as well as shadow other members of the department to gain exposure to sales strategies. The student will be responsible for servicing new and existing customer accounts, placing sales orders and maintaining sales records. In these responsibilities, the student will research prospective advertisers, apply different sales techniques and develop advertisements for customers. This position offers exciting opportunities to travel and visit with customers when school is not in session. Business-related travel expenses are paid and travel gives the student more experience in developing sales strategies and techniques.

\r\n\r\n

Training & development

\r\n\r\n

Promoting a collaborative work environment with a dynamic, entrepreneurial mindset, the company cultivates a culture that highly values creativity, growth, and innovation. Emphasizing internal growth, management opportunities, and promotions, the organization actively supports career development for its employees.

\r\n\r\n

Compensation & benefits

\r\n\r\n

Sandhills Pacific offers competitive salaries and earning potential, providing weekly pay with flexible options for direct deposit and payroll deduction plans for bonds. Employees enjoy various perks, including travel opportunities and reimbursed travel expenses, free parking, welcoming team culture, mentoring, and participation in social events.

\r\n\r\n

Company culture

\r\n\r\n

They place a strong emphasis on their employees, work ethic, and culture, considering them to be the company's greatest assets. The open and collaborative work environment fosters creativity, growth, and innovation, with a fast-paced, entrepreneurial approach to problem-solving and capitalizing on opportunities. Additionally, Sandhills maintains a community-minded spirit of service, engaging in various initiatives to give back to local nonprofits and community organizations, reflecting its commitment to stewardship and building a culture of service from the ground up.

\r\n\r\n

About you

\r\n\r\n

Those who have a high level of self-motivation, excellent communication skills, work as a team player, and are results-oriented may find a rewarding career at Sandhills. All job positions require a high level of professionalism and individual responsibility.

\r\n\r\n

Source

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • sandhills.com/about
  • \r\n\t
  • sandhills.com/careers-and-internships/careers
  • \r\n\t
  • sandhills.com/Content/siteart/pdf/Benefits_Pacific.pdf
  • \r\n\t
  • facebook.com
  • \r\n\t
  • linkedin.com
  • \r\n
", - "company": { - "name": "Sandhills Pacific", - "website": "https://au.prosple.com/graduate-employers/sandhills-pacific", - "logo": "https://connect-assets.prosple.com/cdn/ff/NWqfcUfsDDFDp3Hvw5RgbAT-Zi-JwCN-CF22eSxQTwc/1709016948/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-sandhillspacific-au-450x450-2024.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sandhills-pacific/jobs-internships/sales-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-26T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Medical & Health Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e5" - }, - "title": "Engineering Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Engineering areas as a grad?

\r\n\r\n

Smooth-running infrastructure projects are good for business and good for the community – you can be part of delivering some of Australia’s biggest and best. Engineering graduates help clients plan, deliver, track, and maintain large-scale infrastructure projects, from sports stadiums to railways, often working as part of cross-functional teams. If you’re good at seeing both the big picture of a project’s aim as well as the smaller moving parts, use your degree to start something big with us.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Business, Consulting, and Risk pathway and you’ll have the option to select the stream of work you’re interested in Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, or a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be civil engineers working alongside an environmental specialist and change and communications professionals. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, developing a maintenance schedule, or coordinating a project management office. 

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or who recently graduated and are not yet in professional work
  • \r\n\t
  • A one-year grow pathway with targeted coaching, support, and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2026 (typically, some teams have a slightly different schedule) with a full-time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment to learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Graduate Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTw", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/engineering-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-30T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e6" - }, - "title": "ITE1/2-SITEC System Administrator – Operational Infrastructure", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

The Operational Infrastructure team designs, delivers and manages ICT infrastructure that directly supports and contributes to the ASIO mission. Our team is a dynamic and collaborative group from various technical backgrounds, working together to drive innovation and excellence in our field. With a diverse range of skills and expertise, we're able to tackle complex challenges and deliver cutting-edge solutions.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary. 

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a System Administrator – Operational Infrastructure in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Adopt and adapt appropriate systems design methods, tools and techniques selecting appropriately from predictive (plan-driven) approaches or adaptive (iterative/agile) approaches, and ensure they are applied effectively. 
  • \r\n\t
  • Plan the implementation of maintenance and installation work, including building and configuration of infrastructure components in physical and virtualised environments.
  • \r\n\t
  • mplement agreed infrastructure changes and maintenance routines.
  • \r\n\t
  • Undertake / assist with impact analysis on major design options and trade-off. 
  • \r\n\t
  • Make recommendations while assessing and managing associated risks. 
  • \r\n\t
  • Review and comment on systems designs to ensure selection of appropriate technology, efficient use of resources, and integration of multiple systems and technologies. 
  • \r\n\t
  • Ensure that the system design balances functional and non-functional requirements. 
  • \r\n\t
  • Contribute to development of systems design policies, standards and selection of architecture components.
  • \r\n\t
  • Develop policies, standards, processes and guidelines for ensuring the physical and electronic security of automated systems.
  • \r\n\t
  • Ensure the policy and standards for security administration are fit for purpose, current and are correctly implemented.
  • \r\n\t
  • Review new business proposals and provide specialist advice on security issues and implications.
  • \r\n\t
  • Evaluate and configure tools to automate the provisioning, testing and deployment of new and changed infrastructure. 
  • \r\n\t
  • Monitor the application and compliance of security administration procedures and reviews information systems for actual or potential breaches in security.
  • \r\n\t
  • Assist technical leads with the design of larger or complex systems.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n
    \r\n\t
  • We invite applications from people with demonstrated experience, or knowledge of, one or more of the following:
  • \r\n\t
  • Networking (e.g. Traditional Cisco switching and routing, Cisco ACI, firewalls, WANs, Load Balancing).
  • \r\n\t
  • Compute and virtualisation (e.g. VMware vSphere, VMware Horizon, Citrix Desktop)
  • \r\n\t
  • Storage and backup (e.g. NetApp, Dell/EMC). 
  • \r\n\t
  • Cloud technologies (e.g. AWS, Microsoft Azure, Hybrid, etc.).
  • \r\n\t
  • Operating Systems (e.g. Windows, Ubuntu Linux, Red Hat Enterprise Linux).
  • \r\n\t
  • Essential services (e.g. Microsoft Active Directory, DNS, DHCP, NTP, file sharing).
  • \r\n\t
  • DevOps and automation (e.g. GitLab, CI/CD, Ansible, Docker, Kubernetes, Rancher).
  • \r\n\t
  • Desktops and applications (e.g. Desktop operating systems, productivity suites, collaboration tools, etc.). 
  • \r\n\t
  • Monitoring and logging capabilities (e.g. Elastic Search, Splunk).
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

The following qualifications or experience are desirable, but not essential:

\r\n\r\n
    \r\n\t
  • For the EL1 level - a tertiary degree in a STEM field relevant to the position, and/or minimum 2-years on the job experience in one of the fields listed above where you were a technical specialist and leader.
  • \r\n\t
  • For the APS 5/6 level - a tertiary degree or other qualifications in a STEM field relevant to the position, and on the job experience within a relevant technical role.
  • \r\n
\r\n\r\n

Open to recent graduates

\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available. 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.
\r\n
\r\nLocation

\r\n\r\n

These positions are located in Canberra. Relocation assistance is provided to successful candidates where required. 
\r\n
\r\nHow to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements of the role.
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 27 January 2025, 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information
\r\nFor more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.viewFullSingle?in_organid=12852&in_jnCounter=221300812&in_version=&in_jobDate=All&in_jobType=&in_residency=&in_graphic=&in_param=&in_searchbox=YES&in_recruiter=&in_jobreference=&in_orderby=&in_sessionid=&in_navigation1=&in_summary=S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite12-sitec-system-administrator-operational-infrastructure" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e7" - }, - "title": "Data Analytics Vacationer Program", - "description": "

Think beyond.

\r\n\r\n

Join KordaMentha where you can make a real difference from day one.

\r\n\r\n

Each year, we run a vacationer program during the summer university break. We recruit a select number of high-performing students in their second to last year of their degree for either a four- or eight-week work placement.

\r\n\r\n

Forget the notion of an observational rotation. At KordaMentha, you will become part of a unique, creative and entrepreneurial team, gaining practical experience as we work together to solve our clients’ most complex commercial problems. You will learn how we move beyond a standard approach, asking the ‘what if…?’ and ‘why not…?’ questions required to find bold, new ways to help our clients grow, protect and recover value.

\r\n\r\n

Don’t just imagine what a career in one of our specialist areas could be like – experience it. Working alongside our senior leaders, you have opportunities to participate in interesting and varied client engagements. You will receive tailored support, expert mentoring and the freedom to explore a career path with KordaMentha.

\r\n\r\n

Thrive in an environment where respect, well-being, inclusion and integrity are central. You will join a supportive team, committed to enhancing diversity and celebrating differences. Through the firm’s regular events and activities, you will foster connections and have opportunities to make a positive impact in your community.

\r\n\r\n

Whatever your passion, explore your career path with KordaMentha.

\r\n\r\n

Your opportunity

\r\n\r\n

Data analytics is a collection of powerful tools for organisations to generate increased business value and drive deeper business insights. Leveraging sophisticated technology and algorithms, we demystify data, enable dynamic future projections and assist to transform the insights into meaningful action and growth.

\r\n\r\n

Working alongside our Data Analytics specialists, this is your opportunity to learn how we uncover, analyse and clarify facts at the centre of some of the highest-profile disputes, investigations and other sensitive matters across the Asia-Pacific region. Experience expert mentoring and use the opportunity to demonstrate your strengths with data. Make a real impact as, together, we empower client-led data management and reporting.

\r\n\r\n

What you’ll be doing

\r\n\r\n

As a Data Analytics vacationer, you will assist a wide variety of teams with data analytic services including investigations, legal disputes, consulting and corporate recovery. This will involve analysis of large data sets from various data sources including financial and operational systems. 

\r\n\r\n

You’ll have the chance to learn from some of the best in the business and gain skills with programs you have only touched on at university.

\r\n\r\n

But it’s not all about work. You’ll be given a buddy to help you navigate office life as you settle in. We have regular catch ups with People and Culture to ensure you are getting the most out of your placement. We host regular events and activities, bringing together our close-knit team in a friendly and relaxed environment so you can get to know the people behind the professionals.

\r\n\r\n

About you

\r\n\r\n

You will be a student in your penultimate year of study and will have: 

\r\n\r\n
    \r\n\t
  • a bachelor’s degree with strong academic results, in either Information Technology, Data Analytics, Computer Science or Accounting
  • \r\n\t
  • strong data analysis and problem solving skills with the ability to interpret findings or identify key data insights;
  • \r\n\t
  • a wide database knowledge and a working understanding of database construction/ schemas;
  • \r\n\t
  • ability to work with, generate and conceptualise data visualisations and data dashboards using visualisation tools;
  • \r\n\t
  • a willingness to learn from the experienced professionals in the team
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only)
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://kordamentha.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=768842", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/data-analytics-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-07T12:45:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC", "WA"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e8" - }, - "title": "Graduate Program", - "description": "

If you want to drive real change, we have just the place to do it. We want you to be part of our team to help take us forward by solving the emerging challenges of our time. At Rio Tinto, we believe the best ideas come from bringing people together with different perspectives to work toward a common goal - to create a better tomorrow. 

\r\n\r\n

We’re looking for Graduates from a range of degrees for different areas across our business, including: 

\r\n\r\n
    \r\n\t
  • Engineering – All degrees
  • \r\n\t
  • Sciences – Geoscience, Environmental, Chemistry
  • \r\n\t
  • Technology – Data Science, Software, Computing, Robotics
  • \r\n\t
  • Humanities – Communities, Health & Safety, Archaeology
  • \r\n\t
  • Business – All degrees
  • \r\n
\r\n\r\n

Who we are

\r\n\r\n

Rio Tinto is a leading global mining and materials company. We operate in 35 countries where we produce iron ore, copper, aluminum, critical minerals, and other materials needed for the global energy transition and for people, communities, and nations to thrive.

\r\n\r\n

We have been mining for over 150 years and operate with knowledge built up across generations and continents. Our purpose is finding better ways to provide the materials the world needs – striving for innovation and continuous improvement to produce materials with low emissions and to the right environmental, social and governance standards. But we can’t do it on our own, so we’re focused on creating partnerships to solve problems, create win-win and meet opportunities.

\r\n\r\n

Where we’re all welcome

\r\n\r\n

We are committed to an inclusive environment where people feel comfortable to be themselves. We want our people to feel that all voices are heard, all cultures respected and that a variety of perspectives are not only welcome – they are essential to our success. We treat each other fairly and with dignity regardless of race, gender, nationality, ethnic origin, religion, age, sexual orientation, or anything else that makes us different. 

\r\n\r\n

At Rio Tinto, we particularly welcome and encourage applications from Aboriginal and Torres Strait Islander people, women, the LGBTI+ community, mature workers, people with disabilities and people from different cultural backgrounds.

\r\n\r\n

We acknowledge that all people are different and believe that our differences are our strength. The diversity of skills, life experiences and perspectives within our team enhances our way of working and our ability to achieve success together.

", - "company": { - "name": "Rio Tinto", - "website": "https://au.prosple.com/graduate-employers/rio-tinto", - "logo": "https://connect-assets.prosple.com/cdn/ff/lU73IMqD2qzyrZxKlCFD7LdQ0EFHkoqMACBV_9mVgu8/1678760398/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-rio-tinto-480x480-2023.png" - }, - "application_url": "https://www.riotinto.com/en/careers/graduates-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/rio-tinto/jobs-internships/graduate-program-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-26T16:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NT", "QLD", "TAS", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Property & Built Environment", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3e9" - }, - "title": "Graduate Analyst Program", - "description": "

At Aurora, you will apply the skills you have developed through your studies to solving some of our clients’ most interesting and intricate problems. Through a mix of structured training programs and on-the-job learning, we will help you raise your abilities to the next level, preparing you to build trusting relationships with clients, develop new business opportunities, nurture teams and communicate complex ideas with crystal clarity. 

\r\n\r\n

Have an impact on the global transition to a cleaner, more efficient energy system

\r\n\r\n

We offer an 18-month program of experience and development designed to provide:  

\r\n\r\n
    \r\n\t
  • Accelerated training in how energy markets work
  • \r\n\t
  • Involvement in live client projects
  • \r\n\t
  • An opportunity to contribute to some of the most influential reports in the industry
  • \r\n\t
  • A chance to build up your toolkit of analytical, teamwork and communications skills
  • \r\n\t
  • An understanding of how Aurora fits together and of the opportunities in the company
  • \r\n
\r\n\r\n

During the program, you will take part in placements in different teams across our Australia business. Placements will be assigned collaboratively, based on both your interests and the needs of the business at the time. At the end of the program you will move into a permanent position within one of our teams. 

\r\n\r\n

As a Graduate Analyst, you will have the opportunity to rotate through the following teams: 

\r\n\r\n
    \r\n\t
  • Advisory: executing bespoke consulting projects for clients
  • \r\n\t
  • Research: developing market forecast reports and original in-depth research on the future of energy systems
  • \r\n
\r\n\r\n

The teams, in more detail:

\r\n\r\n

Advisory

\r\n\r\n

Projects include valuations of energy assets, modelling bespoke scenarios and asset configurations and conducting analysis to forecast asset economics for investors, banks, developers and utilities. Beside project valuation work, the Advisory team also works with governments and regulators on designing and evaluating energy policy. While most projects last for around four weeks, some longer projects, such as multi-client studies or longer pieces of policy work, can take a number of months. Graduate Analysts usually work alongside another Analysts, and project teams are made up of one or two Analysts, a Project Manager and a Senior Associate providing oversight. Teams re-form for each new project, so you will get the chance to work with everyone in the wider Advisory team.

\r\n\r\n

Research 

\r\n\r\n

Quarterly market forecast reports are the main output of the Research team. Each quarter you’ll be updating our latest view of the evolution of the power system to 2060 by modelling energy markets based on the latest assumptions on power demand, commodity prices, market activity and policy. This involves a combination of desk research and modelling in collaboration with other teams. The Research team also prepares regular mini-conferences which involve presenting in-depth and timely analysis on a specific aspect of the market.  Research teams consist of around 5 Analysts and you’ll work closely with this team throughout the rotation.  The reports are read by subscribers from across the industry, including developers, utilities, asset optimisers, system operators, policymakers, regulators, and others.

\r\n\r\n

Benefits

\r\n\r\n
    \r\n\t
  • A competitive salary package (with discretionary bonus per annum)
  • \r\n\t
  • Hybrid working environment
  • \r\n\t
  • 25 days of annual leave (pro rata) per year, with the option to purchase an additional 5 days of annual leave per year
  • \r\n\t
  • Corporate health insurance which provides access to exclusive products and benefits
  • \r\n\t
  • Employee perks platform providing deals and discounts at the biggest brands, all year round
  • \r\n\t
  • The opportunity to substantially influence major decisions in the energy sector
  • \r\n\t
  • Direct engagement with clients through Aurora conferences, workshops and webinars
  • \r\n\t
  • The opportunity to grow into a publicly visible industry expert
  • \r\n\t
  • A fun, informal, collaborative, and international work culture
  • \r\n\t
  • Access to regular coaching and mentoring sessions and the opportunity to learn from experienced professionals
  • \r\n\t
  • Access to the Aurora Academy, our training program offers a range of opportunities to develop your skills within the responsibilities of your role and within the wider context of the industry
  • \r\n\t
  • Access to our Employee Assistance Program (EAP), offering a complete support network that offers expert advice and compassionate guidance 24/7/365, covering a wide range of personal and professional aspects
  • \r\n
\r\n\r\n

Work and wellbeing 

\r\n\r\n

Even though our projects can be demanding at times, we believe we make better contributions in the long-term if we keep a balance between work and the rest of our lives. Our managers carefully track teams' well-being to remain aware of how this balance stands. 

\r\n\r\n

Community 

\r\n\r\n

We have a warm and supportive office environment, and people at Aurora often organise activities together outside of work. These have included go karting, trivia nights, charity runs, and an office football team. There is also a program of regular social events run by the company to help teams connect and get to know each other better. 

\r\n\r\n

What we look for

\r\n\r\n

Our Graduate Analyst Program is open to you if you are due to complete or have completed your undergraduate or postgraduate studies within 24 months of the program commencement date.  

\r\n\r\n

You will need to be available to join on 24 February 2026 when the program begins. 

\r\n\r\n

Our team look for evidence of the following qualities in applications:  

\r\n\r\n
    \r\n\t
  • An ability to collect, analyse, and interpret complex information
  • \r\n\t
  • An ability to communicate and collaborate with a range of people
  • \r\n\t
  • Demonstrated quantitative ability and problem-solving skills
  • \r\n\t
  • Evidence of working effectively in teams
  • \r\n
\r\n\r\n

We strongly encourage women and candidates from diverse backgrounds to apply. There is evidence that people from under-represented groups may be less likely to apply unless they meet virtually every selection criterion. We urge candidates who meet at least some of the criteria to consider applying, especially if you are passionate about climate, energy, economics, data analytics, software, strategy, or consulting – there’s a role that’ll fit you at Aurora.

\r\n\r\n

Aurora has offices in both Sydney and Melbourne, but there is a strong preference for graduates to join our Sydney office to gain the full benefits of the program.

\r\n\r\n

The Company is committed to the principle that no employee or job applicant shall receive unfavourable treatment on grounds of age, disability, gender reassignment, race, religion or belief, sex, sexual orientation, marriage and civil partnership and pregnancy and maternity.

", - "company": { - "name": "Aurora Energy Research", - "website": "https://au.prosple.com/graduate-employers/aurora-energy-research", - "logo": "https://connect-assets.prosple.com/cdn/ff/Wtq12ldNuSiQRnI-ZpMloJ1AMNVWiOJymn85ti-kIsM/1718585351/public/styles/scale_and_crop_center_80x80/public/2024-06/1718585349631_Aurora-Isotope-RGB%20%281%29.jpg" - }, - "application_url": "https://auroraer.com/australia-analyst-2025/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/aurora-energy-research/jobs-internships/graduate-analyst-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-01T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ea" - }, - "title": "Software Engineering Graduate Program", - "description": "
    \r\n\t
  • Work as an integrated team member with some of Australia’s biggest brands
  • \r\n\t
  • Set up for career success: upskilling through expert coaches in FDM’s Skills Lab
  • \r\n\t
  • No STEM degree required; we equip you with the skills for success
  • \r\n
\r\n\r\n

Fast-track your tech career with FDM's Graduate Program

\r\n\r\n

Are you ready to embark on an exciting journey and build a rewarding career? Join our Graduate Program in our Software Engineering Practice and dive into the world of IT transformation and data governance.
\r\nA once in a lifetime opportunity

\r\n\r\n

Partnering with some of Australia's biggest companies, we’re looking for 15 ambitious graduates to work on exciting projects with our clients.

\r\n\r\n

Join us on this journey of limitless possibilities - apply now!!

\r\n\r\n

Why choose FDM? 

\r\n\r\n

At FDM, you'll work on diverse client assignments, from developing new products to modernising technology and providing application support. Our agile approach ensures you're involved in critical projects at every stage of the application lifecycle, enabling you to make an impact from day one.

\r\n\r\n

Your role  

\r\n\r\n

We welcome graduates from all degree backgrounds - no STEM experience required! If you're passionate about tech, we'll equip you with the skills you need to succeed. 

\r\n\r\n

As an FDM Consultant in Software Engineering, you'll start with an up to 6-week upskilling program to build core capabilities. Our outcome-based assessments ensure you get further, faster. This is followed by Practice-based learning tailored to client needs. You will take on roles such as Software Engineer, SQL Developer or Automation Tester, with continuous upskilling and career development opportunities.

\r\n\r\n

Where ambition meets opportunity  

\r\n\r\n

At FDM, we want driven people from diverse backgrounds. Our Skills Lab will guide you through a non-linear career journey, offering continuous growth and the chance to work on large-scale projects across banking & finance, insurance and more.

\r\n\r\n

Seize your future 

\r\n\r\n

Your skill set will grow, your expertise will be valued and your career will thrive. This journey is packed with exciting opportunities - seize them and make your mark in the tech world with FDM!

\r\n\r\n

Benefits

\r\n\r\n
    \r\n\t
  • Full-time employment with a competitive salary
  • \r\n\t
  • An initial upskilling course pre-assignment, facilitated by our expert coaches
  • \r\n\t
  • Opportunity for entire FDM career journey development with ongoing coaching through our Skills Lab
  • \r\n\t
  • Consultant Experience Team dedicated to your wellbeing, health and happiness
  • \r\n\t
  • Opportunity to become a leading consultant in one of the most in-demand tech fields
  • \r\n\t
  • Option to join the FDM Buy As You Earn share scheme
  • \r\n
\r\n\r\n

About you 

\r\n\r\n
    \r\n\t
  • You hold a university degree (bachelor level or higher)
  • \r\n\t
  • Able to commit to completing our full 2.5-year graduate program
  • \r\n\t
  • Sharp troubleshooting, strong software engineering mindset and strong attention to detail
  • \r\n\t
  • Proactive: Spot opportunities and suggest improvements
  • \r\n\t
  • Willing to relocate for client projects. Many are in Sydney and Melbourne! We offer a relocation package and connect you with fellow FDM Consultants. Learn more here
  • \r\n\t
  • Eligibility to work in Australia
  • \r\n
\r\n\r\n

We expect our consultants to attend the office for client assignments when required. Currently, most client assignments have a hybrid working arrangement of between 3-5 days a week in the office with remainder from home, depending on the client.  

\r\n\r\n

About FDM   

\r\n\r\n

FDM powers the people behind tech and innovation. From spotting trends to finding exceptional talent, we're the go-to and business and technology consultancy for staying ahead.   

\r\n\r\n

With 30+ years’ experience, we discover, coach and mentor the self-starters, the bold thinkers and the go-getters from diverse backgrounds, connecting them with world-leading businesses. Collaborating with our client partners, we provide the expertise precisely when needed and guide our people to make career choices that lead to exponential growth.   

\r\n\r\n

FDM has 18 centres located across Asia-Pacific, North America, the UK and Europe. We have helped successfully launch over 25,000 careers globally to date and are a trusted partner to over 300 companies worldwide.  

\r\n\r\n

Dedicated to Diversity, Equity and Inclusion   

\r\n\r\n

FDM Group’s mission is to make tech and business careers accessible for everyone. Our diverse team of 90+ nationalities thrive on differences, fuels innovation through varied experiences and celebrates shared successes. As an Equal Opportunity Employer and listed on the FTSE4Good Index, FDM ensures every qualified applicant, regardless of race, colour, religion, sex, or any other status, gets the chance they deserve.  

", - "company": { - "name": "FDM Group Australia", - "website": "https://au.prosple.com/graduate-employers/fdm-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/nUWNDC8pjxPBgV-Kf3tNULfOmX4FnoUYdAWFUQgZexI/1714355207/public/styles/scale_and_crop_center_80x80/public/2024-04/1714355200857_FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/registration.aspx?utm_source=gradaustralia&utm_medium=jobad&utm_campaign=grad_softeng&utm_content=aus_", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fdm-group-australia/jobs-internships/software-engineering-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3eb" - }, - "title": "Raise Youth Mentor", - "description": "

Build a brighter future today. Mentor a young person.

\r\n\r\n

Raise strives to empower young minds through early intervention mentoring, equipping young people with lifelong skills for a brighter future but we can’t do it without volunteer mentors.

\r\n\r\n

We recruit and train everyday people like you to become volunteer mentors working with young people in years 7, 8 and 9 who would benefit most from a mentor. Through the time spent with your mentee, you will see and feel the difference you make! As experts in our field, we’ll train you for success before placing you in one of the most respected youth mentoring programs in the country.

\r\n\r\n

Minimum requirement

\r\n\r\n
    \r\n\t
  • Over the age of 21 (unless studying in a relevant field, confirm you are over 20).
  • \r\n\t
  • Can commit to volunteering with Raise and being available for 2 hours per week, approximately 20 weeks per year.
  • \r\n\t
  • Understands that the volunteer role takes place on the same day and time each week, excluding school holidays.
  • \r\n\t
  • Can complete the compulsory training and provide (or apply for) a National Police check and Working with Children Check.
  • \r\n\t
  • Understands this is an unpaid role.
  • \r\n
\r\n\r\n

Diversity, Equity and Inclusion at Raise

\r\n\r\n

At Raise, we create safe, inclusive and engaging spaces for young people, our mentors, employees and partners. We do this through our commitment to build and foster an equitable, diverse and inclusive environment for all our people. We welcome volunteer applications from people of all genders, cultural and linguistic backgrounds, people with disability, Aboriginal and Torres Strait Islander peoples, and people who are diverse in gender and sexuality.

\r\n\r\n

Training

\r\n\r\n

We offer free training to give you the skills you need to mentor a young person. Our training consists of 8 online training modules (approximately 4 hours of self-paced learning) and a virtual or face-to-face group mentor training session.

", - "company": { - "name": "Raise Foundation", - "website": "https://au.prosple.com/graduate-employers/raise-foundation", - "logo": "https://connect-assets.prosple.com/cdn/ff/pt5Le0RCCE_TkzXdC-bTBGZC5RhR8tHdN-kl30Ldmek/1732013782/public/styles/scale_and_crop_center_80x80/public/2024-11/logo-raise-foundation-200x200-2024.jpeg" - }, - "application_url": "https://raise.org.au/volunteers/apply-to-become-a-youth-mentor/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/raise-foundation/jobs-internships/raise-youth-mentor" - ], - "type": "OTHER", - "close_date": { - "$date": "2025-04-01T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ec" - }, - "title": "Graduate Business Analyst - IT", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Work in a cross-functional team to deliver new features and enhancements.
  • \r\n\t
  • Engage in all phases of the software development lifecycle, including requirements analysis and writing user stories.
  • \r\n\t
  • Participate in agile ceremonies such as daily stand-ups and sprint planning.
  • \r\n\t
  • Support business advancement through projects and operational tasks.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will:

\r\n\r\n
    \r\n\t
  • Hold an undergraduate degree in information technology, business, or a related field.
  • \r\n\t
  • Some experience working within a professional environment through internships, work placements or volunteering (desired but not essential).
  • \r\n\t
  • Demonstrate a proactive attitude and strong problem-solving skills.
  • \r\n\t
  • Be familiar with requirements elicitation, collaboration tools, and process modelling.
  • \r\n\t
  • Have experience with Jira or similar issue-tracking tools (desired but not essential).
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy stability with NTI, backed by major insurers CGU and Vero. Access discounts at over 350 retailers and apply for flexible working arrangements.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from continuous training and mentoring within a professional software delivery team, enhancing both technical and non-technical skills.

\r\n\r\n

Career progression

\r\n\r\n

Expect growth opportunities within NTI, with potential for advancement in various business areas after completing the graduate program.

\r\n\r\n

How to apply

\r\n\r\n

Submit your résumé and cover letter explaining your interest in joining the Graduate team. The application process includes phone and face-to-face interviews, along with qualification and reference checks.

", - "company": { - "name": "NTI Australia", - "website": "https://au.prosple.com/graduate-employers/nti-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/UcuwiXglN4NqVAWpiPJTBcHZynplGZycESxrSTlTxUE/1702534602/public/styles/scale_and_crop_center_80x80/public/2023-12/logo-NTI-australia-450x450-2023.png" - }, - "application_url": "https://www.nti.com.au/about/careers-at-nti/vacancies/graduate-business-analyst-it", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nti-australia/jobs-internships/graduate-business-analyst-it" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ed" - }, - "title": "Consultant Graduate Program", - "description": "

About Us

\r\n\r\n

We are Argon & Co, a global management consultancy that specialises in operations strategy and transformation. Our expertise spans the manufacturing, supply chain, procurement, logistics, warehouse automation and distribution network optimisation, working together with clients to transform their businesses and generate real change. We care about each other and our clients. We enjoy working together and our business is founded on a supportive culture.

\r\n\r\n

Our consultants have strong technical knowledge, cross-functional experience, and the ability to design bespoke solutions to exceed our client’s needs.

\r\n\r\n

About the Role

\r\n\r\n

As a Graduate Consultant at Argon & Co, you'll embark on a dynamic two-year program designed to immerse you in various facets of the business. From Procurement to Supply Chain Planning, Manufacturing, Engineering & Reliability, Logistics & Distribution, Intralogistics, and Sustainability you'll gain invaluable exposure. Through a series of rotations and hands-on experiences with our key clients, you will have the opportunity to grow professionally and personally. We aim to offer all graduates a permanent role at the end of the program. 

\r\n\r\n

At Argon & Co, we're committed to nurturing talent, which is why we offer:

\r\n\r\n
    \r\n\t
  • A structured learning and development program tailored to your journey.
  • \r\n\t
  • A dedicated personal development plan manager and mentor by your side, ensuring you reach your full potential.
  • \r\n\t
  • Secondment opportunity (during 2nd year), either: an internal operational role
  • \r\n\t
  • with our clients or potential overseas placement
  • \r\n\t
  • Being part of a global enterprise opens doors to endless career prospects, allowing you to chart your path to success.
  • \r\n
\r\n\r\n

Based out of Sydney or Melbourne. 

\r\n\r\n

Key Requirements

\r\n\r\n
    \r\n\t
  • Recently completed or completing in 2024, a degree in Engineering, Supply Chain Management or Logistics, Data Science or Analytics, Business, or any other relevant numerical field.
  • \r\n\t
  • Strong communication skills, both written and verbal.
  • \r\n\t
  • A mindset to approach every problem with a bespoke solution.
  • \r\n\t
  • Leadership experience demonstrated through previous employment or extracurricular activities while studying at university.
  • \r\n\t
  • Proven ability to work within a team environment.
  • \r\n\t
  • Results-focused, resilient, and resourceful.
  • \r\n\t
  • Initiative and a desire to challenge yourself and continuously keep learning.
  • \r\n\t
  • Proficiency in Microsoft Office applications (PowerPoint, Excel, Word, etc.).
  • \r\n
\r\n\r\n

This role will require flexibility for travel throughout Australia.

\r\n\r\n

Perks

\r\n\r\n
    \r\n\t
  • Flexible leave policy: Enjoy 25 days of annual leave, plus company closure over Christmas for a well-deserved year-end break.
  • \r\n\t
  • 15 days for you: Your time, your way. Tailored to your needs for career advancement, personal growth, charitable time, or life events.
  • \r\n\t
  • Learning is never-ending: Access internal and external training opportunities to continuously enhance your skills.
  • \r\n\t
  • Supporting You: Benefit from unlimited counseling, coaching, and assistance through our Employee Assistance Program (EAP).
  • \r\n\t
  • Global career journeys: Join our International Mobility Program to work and grow in diverse locations worldwide, gaining valuable experiences.
  • \r\n\t
  • Pollenation days: We aim to invest up to 30 days annually in training, team bonding, and knowledge sharing sessions.
  • \r\n\t
  • Social Events: We host monthly, quarterly, and end-of-year social events, sponsored by the company. From casual gatherings to team-building activities and themed parties, these events provide opportunities to connect, unwind, and celebrate our collective achievements.
  • \r\n\t
  • Make your day incentive: Budget-friendly joy - If it's under $250 and sparks joy for you, your team, or the office, go ahead, Make the Day!
  • \r\n\t
  • Great Performance Bonus: Our bonus is linked to business and personal performance, both short and long term.
  • \r\n\t
  • Free tickets to SCG and Allianz Stadium sporting events.
  • \r\n
\r\n\r\n

We are an equal-opportunity employer committed to equity, diversity, and social inclusion. We encourage Aboriginal and Torres Strait Islander people, people from culturally and linguistically diverse backgrounds, and people with disabilities to apply.

\r\n\r\n

Applications will open on Feb 26, 2024, and close on March 26, 2024

", - "company": { - "name": "Argon & Co", - "website": "https://au.prosple.com/graduate-employers/argon-co", - "logo": "https://connect-assets.prosple.com/cdn/ff/wJNnCBblIMQOI823tsaWAaysoup46KKXZBXtJx9jYmQ/1688354762/public/styles/scale_and_crop_center_80x80/public/2023-07/1688354760681_argon%26co-star-colour-RGB%402x.png" - }, - "application_url": "https://argonandco.recruitee.com/o/graduate-consultant-two-year-program-2025", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/argon-co/jobs-internships/consultant-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-24T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ee" - }, - "title": "Development Program - Multi-Discipline", - "description": "

As a global logistics provider, Mainfreight offers an end-to-end freight service including warehousing, domestic distribution and international air and ocean services. With team and branches across Australia, China, Europe, New Zealand and the United States we continue to expand our global footprint.

\r\n\r\n

Mainfreight is built on a 100-year vision. All decisions are made on the basis that we will be here for another 100 years. This view shapes our approach to recruitment, training, customer relationships and growth strategies.

\r\n\r\n

Mainfreight Australia is currently looking for enthusiastic university graduates to join our thriving team. We believe the key to success is learning from the ground up and that's why each Graduate Team Member starts their career at the grassroots of our business. The learning done here is the groundwork for you to drive your own career.

\r\n\r\n

What you can expect from us:

\r\n\r\n
    \r\n\t
  • A comprehensive induction program
  • \r\n\t
  • A supportive, innovative team
  • \r\n\t
  • A fun, fast-paced dynamic environment
  • \r\n\t
  • Opportunities & career growth
  • \r\n
\r\n\r\n

Are you:

\r\n\r\n
    \r\n\t
  • Determined, proactive, thinking critically, self-driven and career-focused?
  • \r\n\t
  • Entrepreneurial-minded and prepared to drive your own career from the 'floor' up?
  • \r\n\t
  • Want to be part of a team that never accepts being second?
  • \r\n\t
  • Not afraid to get your hands dirty and work hard for the good of your team and the business?
  • \r\n
\r\n\r\n

To be eligible to apply, you must:

\r\n\r\n
    \r\n\t
  • Be in your last semester of study or have graduated in the last 2 years with, at minimum, a 3 year Bachelor's degree
  • \r\n\t
  • Be an Australian Citizen or hold permanent residency
  • \r\n
", - "company": { - "name": "Mainfreight Australia", - "website": "https://au.prosple.com/graduate-employers/mainfreight-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Kmd52K37Tk9XhIBR0Vr63eW1MJuEp40-ZkwRdzKGEUg/1612946166/public/styles/scale_and_crop_center_80x80/public/2021-02/Logo-Mainfreight-240x240-2019.jpg" - }, - "application_url": "https://mainfreightaucareers.connxcareers.com/applicant/apply/af756de3dfff4a20aa5a5f944a758851", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mainfreight-australia/jobs-internships/development-program-multi-discipline" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ef" - }, - "title": "Entry-level Consultant", - "description": "

Why join us?

\r\n\r\n

Come aboard if you are excited by challenges and enjoy working across cultures. You’ll find interesting people who speak their minds and measure success not by how many hours are worked but by what gets accomplished.

\r\n\r\n

Immediate impact, continuous challenge

\r\n\r\n
    \r\n\t
  • You’ll work on interesting projects that have a significant impact on clients, industries, and societies from day one.
  • \r\n\t
  • We’ll ask you to question the norm and constantly strive to build something new to shape our firm and the world around us.
  • \r\n\t
  • You’ll be a contributing team member from the start, collaborating with senior colleagues and clients to build trust-based relationships and deliver breakthrough impact.
  • \r\n\t
  • Your experience will be diverse, with each project offering new opportunities to expand your toolkit and to team with Specialists who have deep subject-matter and technical expertise.
  • \r\n\t
  • You’ll have the chance to travel frequently; whether this is internationally or in your home-city, no two weeks are ever the same.
  • \r\n
\r\n\r\n

Chart your course; we support the journey

\r\n\r\n
    \r\n\t
  • You’ll have the opportunity to work across a wide variety of industries and capabilities and you can choose to specialise early or leave it until several years in.
  • \r\n\t
  • You’ll learn on the job via our apprenticeship model, supplemented by formal training. Much of your initial focus will be on research and analysis, and we’ll support you in rapidly developing your communication, presentation, and client-management skills.
  • \r\n\t
  • We care about you succeeding and you’ll be supported every step of the way. You will be mentored and coached by colleagues at each stage, from partners and other consultants to a dedicated “buddy,” career adviser, and talent manager.
  • \r\n\t
  • We believe inspired people with interesting lives make better consultants. We care deeply about sustainable work-life quality and provide for career flexibility with a variety of programs including sabbaticals, non-profit fellowships, and externships.
  • \r\n
\r\n\r\n

We hire you to be you

\r\n\r\n
    \r\n\t
  • Our open, inclusive, and down-to-earth culture will enable you to bring your authentic self to work.
  • \r\n\t
  • There’s no corporate mold to fit and hierarchy doesn’t get in the way.
  • \r\n\t
  • Many of your colleagues will become life-long friends.
  • \r\n
\r\n\r\n

Oliver Wyman Women's Scholarship

\r\n\r\n

At Oliver Wyman, we are committed to empowering high-achieving women to excel in their careers within management consulting. The Oliver Wyman Women's Scholarship aims to support ambitious and driven women-identifying entry-level individuals in Australia, helping them realize their full potential in their professional journeys, personal growth, and contributions to their communities.

\r\n\r\n

You will be given the opportunity to opt-in to be considered for the scholarship in the job application.

\r\n\r\n

Scholarship recipients will be provided with: 

\r\n\r\n
    \r\n\t
  • $15,000 AUD
  • \r\n
\r\n\r\n

Who Can Apply?

\r\n\r\n

Our Australia Entry-level Consultant position is open to students graduating from 2025 and able to commence full-time work from 2026. 

\r\n\r\n

We look for people who display initiative, intuition, and creativity with a strong problem-solving mindset. We do not require specific academic majors or industry experience and look for diversity of experience and skills. We value extracurricular activities and evidence of leading an interesting and impactful life outside of your studies. 

\r\n\r\n

To work in one of our Australian offices, you must be an Australian citizen/permanent resident or New Zealand citizen at the time that you submit your application. Please note that foreign applicants may not be eligible for visa sponsorship in all situations. In such case, you may wish to consider applying for roles in other Oliver Wyman offices.  

\r\n\r\n

Recruitment Process

\r\n\r\n

You should apply by Monday 3 March 2025, 11:59pm AEDT. Your application should include a CV/resume (max of 2 pages with ATAR, university WAM/Cumulative GPA, expected graduation date) cover letter and academic transcript in order to be considered. Please upload the requested documents as one PDF document when requested to provide your resume.

\r\n\r\n

Should you be successful in progressing through the stages, our process is as follows: 

\r\n\r\n
    \r\n\t
  • On-demand Video interview: 14 - 16 March 2025 (You will be given a timeframe of 3 days to complete the video interview)
  • \r\n\t
  • First round interviews: 3 - 4 April 2025
  • \r\n\t
  • Final round interviews: 11 April 2025
  • \r\n
", - "company": { - "name": "Oliver Wyman Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/oliver-wyman-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/BjtcKvNbW45apQkYaK-QOnyUwHvYGSeYC3GTzKhaf2g/1615603707/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-oliver-wyman-480x480-2021.jpg" - }, - "application_url": "https://www.oliverwyman.com/careers/recruiting-events/asia-pacific.html", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/oliver-wyman-australia-new-zealand/jobs-internships/entry-level-consultant-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-03T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f0" - }, - "title": "Data Analyst", - "description": "

Who are you?
\r\n
\r\nWe are looking for a person with a true desire to learn and the motivation to improve yourself and your skills every day. You love the idea of immersing yourself in data to drive meaningful insights and create jaw-dropping outcomes. You’ll need creativity to deliver those outcomes in meaningful, digestible forms
\r\n
\r\nWho we are?
\r\n
\r\nWe don’t look at what’s on your CV or your experience. We want to create the next generation of first-class data analysts and data scientists. If you are passionate about data, we have the best way for you to get into a new career in data.
\r\n
\r\nHow does it work?
\r\n
\r\nSuccessful applicants will be immersed in 4 months of intensive training using market-leading technologies – Tableau, Alteryx, PowerBI, and SQL.
\r\n
\r\nIn addition, you will hone all the soft skills needed to become an outstanding consultant.
\r\n
\r\nThe training is followed by four 6-month client engagements with Australia's leading organisations to give you real-world experience to kick-start your new career.
\r\n
\r\nDo I get paid?
\r\n
\r\nYes. From day 1. The Data School offers you a competitive salary during training, and while you gain valuable industry experience.
\r\n
\r\nMore details  

\r\n\r\n
    \r\n\t
  • $65,000 per annum that will increase to $70,000 in the second year
  • \r\n\t
  • 28-month, fixed-term contract to start your new career as a data consultant
  • \r\n\t
  • When you finish the contract, you can stay on as a consultant and continue to work on some fascinating projects or go it alone. Either way, we are here to help every step of the way. On completion, you will also become part of our Alumni network
  • \r\n\t
  • We’re sorry – we can’t sponsor you, so make sure you have full working rights
  • \r\n\t
  • Work from our office in the CBD
  • \r\n\t
  • Health and wellness program
  • \r\n\t
  • Inclusive work culture
  • \r\n
\r\n\r\n

For more information about us you can read here: https://www.thedataschool.com.au/school/

\r\n\r\n

Application Process
\r\n
\r\nJoin Tableau - Join the community and download Tableau Public
\r\nFind your data - Choose a dataset that you are passionate about; from politics to sport, TV and popular culture. You can find data on sites like Data is Plural, Kaggle, Data.world, data.gov.au, or the Tableau resources page
\r\nCreate your Viz - Once you have your data set, you can begin creating your winning viz! Find insights and use interactivity to tell a compelling story
\r\nShare it with us - Once your work is live on Tableau Public, send it to us!
\r\nThe Interview - If you impress us with your passion, innovation and understanding of data, you will be invited to an interview
\r\n
\r\n
\r\nWe are taking applications at all times. If you have an inquisitive nature, and a passion for getting to the truth by way of data, then we’d love to hear from you!

", - "company": { - "name": "The Data School", - "website": "https://au.prosple.com/graduate-employers/the-data-school", - "logo": "https://connect-assets.prosple.com/cdn/ff/2oc-zoVhpAlUzJu5AOYFJjPnKNJa5ibz3UFabxZLydg/1568693321/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-The-Data-School-120x120-2019_0.jpg" - }, - "application_url": "https://www.thedataschool.com.au/apply/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/the-data-school/jobs-internships/data-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-13T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f1" - }, - "title": "Aged Care Volunteer Visitor Scheme (ACVVS)", - "description": "

Become a Volunteer Visitor and develop a meaningful friendship with an Older Australian!

\r\n\r\n
    \r\n\t
  • Do you enjoy meeting Older Australians and building positive, meaningful relationships? 
  • \r\n\t
  • Do you enjoy volunteering, and having a positive impact on someone’s life?
  • \r\n\t
  • If you’ve answered yes to the above questions, then keep reading!
  • \r\n
\r\n\r\n

The Digital Literacy Foundation has joined the Department of Health and Aged Care’s new Aged Care Volunteer Visitor Scheme (ACVVS), working to recruit and support volunteers to visit socially isolated older Australians, to provide them with friendship and companionship.

\r\n\r\n

As a result, we are on the lookout for friendly, engaging volunteer visitors who are over 18 years of age. The goal of the role is that you will develop a positive, meaningful friendship with a socially isolated older person by visiting them on an ongoing basis (at least fortnightly). You’ll need patience, enthusiasm, a desire to develop friendships, compassion, and reliability.

\r\n\r\n

On your visits, the idea is that you share an activity that you both enjoy, based on mutual interests and mobility levels. You might share a cuppa and a chat, for example, or play board games, take a short walk in the garden, look at photos, reminisce, read the paper, listen to music...

\r\n\r\n

Developing a meaningful friendship will have a mutually positive impact on you both. You’ll gain a sense of purpose and deeper connection with your community, and your regular visits can improve the quality of life of an older person, by helping them feel less isolated.

\r\n\r\n

We need volunteer visitors who are based in the following areas:

\r\n\r\n

Central West: Bathurst, Bowenfels, Gorman’s Hill, Kelso, Lithgow, Oberon, Singleton & Singleton Heights.

\r\n\r\n

Nepean: Emu Plains, Freeman’s Reach, Jamisontown, Kingswood, Penrith, Richmond, St Mary’s, Werrington & Windsor.

\r\n\r\n

Orana Far West: Dubbo, Mudgee and Wellington.

\r\n\r\n

As a volunteer visitor, you will:

\r\n\r\n
    \r\n\t
  • Be reimbursed for travel mileage.
  • \r\n\t
  • Need to visit at least fortnightly (but ideally once a week).
  • \r\n\t
  • Undergo a National Police Check and reference checks. 
  • \r\n\t
  • Receive dedicated, ongoing support and training from the Digital Literacy Foundation.
  • \r\n\t
  • Have had three Covid vaccinations.
  • \r\n
", - "company": { - "name": "Digital Literacy Foundation", - "website": "https://au.prosple.com/graduate-employers/digital-literacy-foundation", - "logo": "https://connect-assets.prosple.com/cdn/ff/bq_DC7Mmx2LEjLhTSulp7EX0JWZV7EFhmrIlh-EfckE/1715169089/public/styles/scale_and_crop_center_80x80/public/2024-05/logo-Digital%20Literacy%20Foundation-480x480-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/digital-literacy-foundation/jobs-internships/aged-care-volunteer-visitor-scheme-acvvs" - ], - "type": "OTHER", - "close_date": { - "$date": "2025-05-15T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f2" - }, - "title": "Recruitment Consultant - Financial Services Industry", - "description": "Selby Jennings is a globally recognised specialist recruitment company operating within the Financial Services markets. Our team delivers exceptional talent to a diverse range of clients across various verticals in Financial Services.", - "company": { - "name": "Phaidon International Hong Kong", - "website": "https://au.gradconnection.com/employers/phaidon-international-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/fcbb7064-1383-4338-b29b-d083a8dd1630-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-hk/jobs/phaidon-international-hong-kong-recruitment-consultant-financial-services-industry-27" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f3" - }, - "title": "Graduate Brand Analyst - Consulting", - "description": "

Located in Sydney, Amazon Strategic Vendor Services (AVS) team is looking for results orientated, data driven Retail Brand Analysts to join our fast-growing team. Our customer obsessed AVS team provides exceptional service to strategic vendors and customers, focusing on driving business growth and maximising their potential on Amazon.

\r\n\r\n

Key job responsibilities

\r\n\r\n

Commencing end July 2025 as a Brand Analyst you will gain experience and a wide range of responsibilities, including;

\r\n\r\n
    \r\n\t
  • Utilising your strong analytical skills by providing detailed analysis of business opportunities and inefficiencies; proposing changes to operational processes; driving a high standard in customer satisfaction; ensuring high-quality product pages; and making recommendations for effective growth plans.
  • \r\n\t
  • Owning and executing strategic joint business plans with our key vendors gaining the opportunity to flex your consulting muscles and gain experience in our complex global organisation.
  • \r\n\t
  • Collaborating and exploring innovative ways to identify and execute new selection, marketing management, promotional strategies, operational efficiencies and reporting analysis for your vendors.
  • \r\n\t
  • Working with varied stakeholders across AVS and wider Amazon teams such as Vendor and Category Managers, Instock, Finance, Operations, Marketing to drive best possible outcomes for your strategic vendors and customers.
  • \r\n\t
  • Leading planning and performance sessions with your strategic vendors, and act as their main point of contact at Amazon.
  • \r\n
\r\n\r\n

To achieve success in this role, you will possess: 

\r\n\r\n
    \r\n\t
  • A natural appetite for learning and the ability to pick up new skills quickly
  • \r\n\t
  • Strong analytical, relationship management and organizational skills
  • \r\n\t
  • A focus on identifying problems and creating solutions!
  • \r\n\t
  • Exceptional communication skills and a proven track record of building positive working relationships.
  • \r\n\t
  • Drive to deliver results in an ambiguous environment, being exceptionally detail orientated while looking around corners and thinking bigger about how we create a compelling customer offer.
  • \r\n\t
  • Previous internship experience in a management consulting role is advantageous.
  • \r\n
\r\n\r\n

A day in the life of:

\r\n\r\n

You will learn and use a wide range of skills working across major functional areas:

\r\n\r\n
    \r\n\t
  • Vendor management: growing selection of products available to Amazon customers, driving traffic and conversion initiatives, promotion planning, identifying and resolving vendor-related issues
  • \r\n\t
  • In-stock management: inventory planning and sales forecasting, tracking purchase orders through to delivery, managing inventory sell-through, working with vendors on PO automation
  • \r\n\t
  • Content management: improving product detail page content, developing and executing marketing and merchandising plans, improving customer experience onsite
  • \r\n
\r\n\r\n

Basic Qualifications:

\r\n\r\n
    \r\n\t
  • You must be in the final year or have completed your university studies within the past 24months* of applying of a relevant university undergraduate or postgraduate degree. *This is from the time you complete your final unit or subject, not 24 months from your graduation date.
  • \r\n\t
  • You must have Australian/New Zealand citizenship or Australian permanent residency at the time you submit your application.
  • \r\n
\r\n\r\n

Please note: To be eligible for the 2025 Graduate Brand Analyst role you must be able to commence the program end July 2025 having completed your studies.

\r\n\r\n

Desirable qualifications/ experience

\r\n\r\n

Prior experience in Retail, Consulting or Finance, managing multiple stakeholders or working in data & analytics (Excel, SQL, Tableau) is beneficial but not essential.

\r\n\r\n

Acknowledgement of country: In the spirit of reconciliation Amazon acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today. 

\r\n\r\n

IDE statement: Amazon is committed to a diverse and inclusive workplace. Amazon is an equal opportunity employer, and does not discriminate on the basis of race, national origin, gender, gender identity, sexual orientation, disability, age, or other legally protected attributes.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://www.amazon.jobs/en/jobs/2574072/2025-graduate-brand-analyst", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/graduate-brand-analyst-consulting" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f4" - }, - "title": "Intern Consultant", - "description": "

Pre-register your interest in an exclusive internship with Nous Group

\r\n\r\n

Internship applications open across the year at Nous Group depending on vacancy, please first check our available roles before pre-registering for locations that are not currently open. 

\r\n\r\n

Nous is a great place to work…

\r\n\r\n

We deliver a dynamic and varied experience that generates positive influence and growth for our clients, our colleagues, and you. 

\r\n\r\n

At Nous, we set you up for success. We’ve designed an intern opportunity to help you learn key consulting skills and extend your knowledge quickly. Allocated to real client projects, interns take ownership of the responsibilities of the role they are given, whilst being supported through a collaborative team environment. Nous is committed to learning and development of our interns, with the conclusion of the internship ideally resulting in a permanent position. 

\r\n\r\n

We offer full time and part time positions for students engaged in tertiary studies relevant to our services lines. These opportunities can be tailored to meet course requirements in specific disciplines (i.e. Masters of Organizational Psychology or Masters in Commerce) or can be designed to suit the interests of those looking for an internship between semesters that will provide them with a pathway into management consulting.  

\r\n\r\n

What we do...

\r\n\r\n

Nous offer expert consulting services across a range of services including business strategy, public policy, organisational capability and development, transformational change, and digital strategy and capability. 

\r\n\r\n

A snapshot of recent projects: 

\r\n\r\n
    \r\n\t
  • developing a strategy to respond to key health system challenges and reforms including the use of health analytics and technology 
  • \r\n\t
  • re-designing education innovation functions and organisation design for major universities 
  • \r\n\t
  • generating solutions using advanced data analytics techniques to better design policy, strategy, and services 
  • \r\n\t
  • developing an evidence base and strategy to inform Victoria’s offshore wind program
  • \r\n\t
  • designing a strategy for a major Australian bank to grow overseas operations
  • \r\n\t
  • reviewing care coordination for Indigenous Australians with chronic disease, using data analytics and drawing on consultations with service providers and Indigenous clients 
  • \r\n\t
  • the implementation of a financial service providers’ new leadership and cultural change
  • \r\n\t
  • using co-design techniques, worked with victims and perpetrators of family violence to create a service development plan for a contact centre. 
  • \r\n
\r\n\r\n

Interns and placement students at Nous are allocated to real client projects and work collaboratively with Nous consultants to undertake activities:

\r\n\r\n
    \r\n\t
  • designing, administering and analysing qualitative and quantitative data & surveys
  • \r\n\t
  • work on tasks that allows you to demonstrate structured thinking, problem solving methods and techniques
  • \r\n\t
  • contribute to the thinking on projects or proposals both verbally and in writing
  • \r\n\t
  • conducting research and summarising key issues and themes important to client projects
  • \r\n\t
  • contributing to the design and development of materials for client workshops
  • \r\n\t
  • attending client meetings, workshops and focus groups and analysing and reporting on the results of these consultations
  • \r\n\t
  • adopt Nous style. Picking up branding, templates and writing style
  • \r\n\t
  • build relationships across Nous
  • \r\n
\r\n\r\n

More about Nous

\r\n\r\n

Nous is an international management consultancy with over 700 people working across Australia, New Zealand, the UK, Ireland and Canada. We are a values-based organisation that is inspired and determined to improve people’s lives in significant ways. Working in unique, cross-disciplinary teams we create innovative and enduring solutions that transform businesses, governments, and communities. We realise a bigger idea of success. 

\r\n\r\n

Nous is regularly acknowledged as a great place to work as part of competitive workplace reviews. In 2023 Nous was again named one of Australia’s Best Workplaces by Great Place to Work and was recognised as one of LinkedIn’s best places to grow a career, as a LinkedIn Top Company (Australia). We have previously been named Best Management Consulting Firm by the Australian Financial Review on a number of occasions and a Great Place to Work every year that we’ve entered (Australia). We’re excited to be extending success and influence globally having recently been awarded a Great Place to Work in Canada and the UK in 2023.

\r\n\r\n

Do you have what it takes? 

\r\n\r\n

Nous is looking for interns and placement students who are:

\r\n\r\n
    \r\n\t
  • enthusiastic, curious, and eager to learn
  • \r\n\t
  • intelligent and academically accomplished
  • \r\n\t
  • skilled in strong quantitative analysis
  • \r\n\t
  • able to work efficiently at pace, and are well organised, with the ability to manage multiple pieces of work simultaneously
  • \r\n\t
  • able to undertake structured qualitative analysis in a logical and efficient manner
  • \r\n\t
  • able to demonstrate excellent written and oral communication skills
  • \r\n\t
  • effective at working autonomously and in a self-managed way, using initiative to draw on the expertise of those around you.
  • \r\n
\r\n\r\n

Finally, some important details...

\r\n\r\n

Nous is an equal opportunity employer. We take pride in the inclusive workplace we have built, acknowledged by the Diversity Council of Australia as a 2021-2022 Inclusive Employer, reflecting both the diversity of our people and our supportive people, culture and policies. We are one of only 100 organisations nationally that have a Stretch Aboriginal Torres Strait Islander Reconciliation Action Plan. We celebrate diversity and are committed to creating an inclusive environment for all. We encourage applications from people of all backgrounds, including Aboriginal, Torres Strait Islander, and First Nations people.

\r\n\r\n

If you are energetic, highly capable, and interested in working in a fast-paced environment as part of a high performing dynamic team, working on complex problems that puts people at the centre of everything, we'd love to hear from you! Please click apply below. We will review your application and be in contact as soon as possible. Please keep an eye out on your spam folder, just in case.

\r\n\r\n

To apply for a role at Nous in Australia you must have Australian Permanent Residency or the right to work in Australia. 

\r\n\r\n

Please note if you are successful in the recruitment process, you will be required to undertake background screening prior to your commencement at Nous.

", - "company": { - "name": "Nous Group", - "website": "https://au.prosple.com/graduate-employers/nous-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/ubFi-2AX7eCTMz18QClg08PdjcAq-Tf5CUITu65NnG0/1569809594/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-nous-group-120x120-2019.jpg" - }, - "application_url": "https://nousgroup.com/careers/available-roles/?gh_jid=6606362002&gh_src=21722a6f2us", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nous-group/jobs-internships/intern-consultant-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f5" - }, - "title": "Summer ICT Engineering Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a tech enthusiast with a passion for information and communication technology (ICT)? BAE Systems invites aspiring individuals to embark on a dynamic experience as ICT Interns in VIC, SA, NSW & ACT. Immerse yourself in cutting-edge projects, collaborate with industry leaders, and be an integral part of a team that drives innovation in the world of defence, security, and aerospace.

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855920&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-ict-engineering-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f6" - }, - "title": "Nova Internship Program", - "description": "

About the opportunity:

\r\n\r\n

We are currently looking for students to join our Internship Program in Adelaide, Brisbane, Canberra, and Melbourne.

\r\n\r\n

About Nova: 

\r\n\r\n

Nova Systems is a global engineering services and technology solutions company with strategically located offices in Australia, New Zealand, the United Kingdom, Norway, and Singapore. From national defence and essential services to border control and cyber security, these are the challenges we partner with our clients to anticipate, understand, and solve. 

\r\n\r\n

At Nova Systems, we provide highly specialised advice and solutions at scale, we are agile and ready to predict, react and respond. We refer to it as being “Optimised for Performance”. Small enough to care, big enough to matter, we leverage the benefits of scale for our clients. 

\r\n\r\n

But what makes Nova Systems truly unique, is our people. Nova Systems is where the best and brightest minds come together to challenge, collaborate, and innovate. 

\r\n\r\n

Program:

\r\n\r\n

Nova provides internship placements for university students in their penultimate or final year of studies, whose tertiary qualifications are aligned with Nova’s core capabilities. The Internship Program provides successful candidates with the opportunity to learn and develop their skills, by working on exciting projects aligned with their tertiary studies.

\r\n\r\n

Upon completion of the Internship Program, candidates may be invited to apply for the Nova Graduate Program. The Nova Graduate Program provides you with the experience, supervision, and training necessary to make a meaningful contribution to Nova, determine your own career pathway, and solve complex challenges.

\r\n\r\n

What you will be involved in:

\r\n\r\n

During the placement, students are exposed to a broad range of engineering capabilities and innovative projects that are aimed to develop and reinforce their skills and competencies.

\r\n\r\n

What we would like from you:

\r\n\r\n
    \r\n\t
  • Currently in your penultimate or final year of studies;
  • \r\n\t
  • Australian citizen with the ability to obtain an AGSVA security clearance;
  • \r\n\t
  • Exceptional written and verbal communication skills;
  • \r\n\t
  • Demonstrated ability to work effectively as part of a team;
  • \r\n\t
  • Excellent time-management skills;
  • \r\n\t
  • Sound analytical and problem-solving skills;
  • \r\n\t
  • Ability to work under minimal supervision.
  • \r\n
\r\n\r\n

Company Culture and Benefits:

\r\n\r\n

With a strong company culture and high retention rate, Nova Systems has been recognised as one of the \"Top 50 best places to work\"   in Australia.

\r\n\r\n

Our internship students enjoy;

\r\n\r\n
    \r\n\t
  • Supervision and mentoring whilst gaining experience in a professional engineering environment
  • \r\n\t
  • A fun, collaborative, and inclusive environment
  • \r\n\t
  • Training options while on the job
  • \r\n\t
  • Site visits (subject to availability)
  • \r\n\t
  • Monthly team lunches and social events
  • \r\n\t
  • Possible pathway into the Nova Graduate Program
  • \r\n
\r\n\r\n

To apply, please submit your resume with information on any work experience you have, a cover letter outlining why you want to work at Nova and a copy of your university transcripts to date.  

", - "company": { - "name": "Nova Systems", - "website": "https://au.prosple.com/graduate-employers/nova-systems", - "logo": "https://connect-assets.prosple.com/cdn/ff/dY2bm5JCpZjir35y8aML8DMm1Hq4KFHK0obJ7ZFvGG4/1643852855/public/styles/scale_and_crop_center_80x80/public/2022-02/1643850426789_logo.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nova-systems/jobs-internships/nova-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-09-14T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "QLD", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f7" - }, - "title": "Graduate Program", - "description": "

Activate Your Career

\r\n\r\n

We are inviting early expressions of interest for our 2026 Graduate Program.

\r\n\r\n

Our graduate program is designed to challenge and reward. We help grow curious minds and develop careers for those motivated to make a positive difference for our customers and community. We’re on the hunt for dynamic Graduates who love workshopping ideas, are keen to embrace and explore innovation, and have exceptional taste in music (the last bit is optional...).

\r\n\r\n

We want people who aren’t afraid to speak up, share their opinions, develop relationships and influence outcomes. We’re interested in people with diverse backgrounds, who are excited about joining a bank that’s reinventing itself to address the complex challenges that society faces today, continuously raise standards in banking, and create opportunities for generations to come.

\r\n\r\n

No matter where your career takes you, the objective of our Graduate Program is to provide you with the foundation you need to grow and succeed. With a range of exciting streams, there are a variety of career paths for you to explore.  Normally, the Australian Graduate Program has program streams in the following business areas:

\r\n\r\n
    \r\n\t
  • ANZ Plus
  • \r\n\t
  • Retail Banking
  • \r\n\t
  • Commercial Banking
  • \r\n\t
  • Agribusiness
  • \r\n\t
  • Finance
  • \r\n\t
  • Institutional
  • \r\n\t
  • Risk
  • \r\n\t
  • Talent and Culture
  • \r\n\t
  • Technology
  • \r\n
\r\n\r\n

Simply click on apply now and submit your details and we will be in touch to let you know when we open applications early in the new year.

\r\n\r\n

ANZ recognises the value of an inclusive and diverse work environment. We take pride in the diversity of our people and encourage applications from diverse candidates. Our recruitment decisions are based on the key inherent needs and requirements of each role and candidates are selected based on their unique strengths and characteristics.

", - "company": { - "name": "ANZ", - "website": "https://au.prosple.com/graduate-employers/anz", - "logo": "https://connect-assets.prosple.com/cdn/ff/2jQZ-PXEa6XC232IMQAInaaRfPlfU85uOpGHE_0sNHs/1719897058/public/styles/scale_and_crop_center_80x80/public/2024-07/1719897053585_Avatar-instagram-320.jpg" - }, - "application_url": "https://careers.anz.com/job-invite/73353/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/anz/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-11T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f8" - }, - "title": "Mathematicians / Statisticians", - "description": "

The Australian Government is seeking recent university graduates to join the 2026 Australian Government Graduate program - Data Stream. 

\r\n\r\n

There are lots of roles on offer including Mathematicians/Statisticians.

\r\n\r\n

Roles filled through the Mathematician/Statistician stream include Statisticians, Mathematicians and Evaluation Specialists. 

\r\n\r\n

Mathematicians/Statisticians provide specialist statistical advice on the methods used to produce high quality official statistics and generate timely new insights. Mathematicians/Statisticians identify, research, implement and maintain a range of innovative statistical solutions to embrace new methods and data sources.

\r\n\r\n

Qualifications and Experience

\r\n\r\n

To be eligible for the Mathematician/Statistician stream, you must have an undergraduate (AQF7) degree or higher and meet all other eligibility requirements as outlined below. In addition, you must either:

\r\n\r\n
    \r\n\t
  • have qualification/s in statistics (including biostatistics), mathematics, econometrics, actuarial studies, physics, data science, machine learning and artificial intelligence, operations research, OR
  • \r\n\t
  • completed quantitative subjects in qualifications such as in science, commerce, business/data analytics, computer science, or engineering.
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n

The Australian Government has access to some of Australia’s largest and most unique data sets and provides endless opportunities for data professionals. As part of a graduate program in the Australian Government, you will:

\r\n\r\n
    \r\n\t
  • have access to over 40 different departments and agencies
  • \r\n\t
  • be placed in a permanent, full-time role
  • \r\n\t
  • receive generous leave entitlements
  • \r\n\t
  • be valued for your unique perspective and diverse views
  • \r\n\t
  • have the chance to work across all aspects of government such as policy development, program management and service delivery
  • \r\n\t
  • receive formal and on-the-job training and mentorship
  • \r\n\t
  • do meaningful work
  • \r\n\t
  • receive a competitive salary
  • \r\n\t
  • be able to make a difference to our society.
  • \r\n
\r\n\r\n

Where you can work

\r\n\r\n

Most positions are available in Adelaide, Brisbane, Canberra, Geelong, Hobart, Melbourne, Newcastle, Perth, Sydney.

\r\n\r\n

What is the Australian Government Graduate Program - Data Stream?

\r\n\r\n

The Australian Government Graduate Program (AGGP) - Data Stream is a program offering recent graduates permanent employment across the Australian Government. The Data Stream is led by the Australian Bureau of Statistics who recruit for data roles on behalf of over 40 Australian Government and Commonwealth agencies across Australia. There will be about 300 positions across the participating agencies. 

\r\n\r\n

Are you eligible?

\r\n\r\n

To be eligible you must:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • have completed your most recent, eligible qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance if required
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
", - "company": { - "name": "Australian Bureau of Statistics (ABS)", - "website": "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs", - "logo": "https://connect-assets.prosple.com/cdn/ff/1ef9o69alrtqgHYSp1sDfVeptyWtGazugwN7m_uuq_Y/1635915251/public/styles/scale_and_crop_center_80x80/public/2021-11/logo-australian-bureau-of-statistics-480x480-2021_0.jpg" - }, - "application_url": "https://abs.nga.net.au/?jati=F56BBBEF-0015-34A5-5AF4-DA90072EBA1E", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs/jobs-internships/mathematicians-statisticians-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3f9" - }, - "title": "Client Solutions Associate", - "description": "

Your role

\r\n\r\n

Looking for a fun and dynamic tech role, nestled deep in the finance industry?

\r\n\r\n
    \r\n
\r\n\r\n

Throughout the program, Client Solutions Associates will develop a wide array of skills and provide value to clients by:

\r\n\r\n
    \r\n\t
  • Developing a deep knowledge base across the business, products, and clients
  • \r\n\t
  • Communicating with impact in person and over the phone while mastering presentation and public speaking skills both internally and externally
  • \r\n\t
  • Asking effective questions in various situations to gather information, uncover needs, and create solutions to foster a truly collaborative and consultative partnerships
  • \r\n\t
  • Defining key industry terms and concepts important to FactSet’s clients to be an industry expert
  • \r\n\t
  • Using advanced product knowledge and understanding of FactSet’s product suite to identify and implement solutions specific to client and user workflows including Excel modelling, company research, and portfolio analysis
  • \r\n
\r\n\r\n

Following the successful completion of the training program, you will quickly become an integral part of the team and start taking up responsibilities as a FactSet Consultant by:

\r\n\r\n
    \r\n\t
  • Managing a group of accounts assigned to you, ensuring that the relationship is healthy and that the client is getting maximum value out of the FactSet software
  • \r\n\t
  • Customizing solutions to fit with individual client workflows and ensuring that the client can make efficient and accurate decisions using FactSet data and tools
  • \r\n\t
  • Effectively demonstrating the various product lines to clients and providing software training to individuals as well as small and large groups
  • \r\n\t
  • Visiting clients on a regular basis to provide face-to-face support and training and build strong relationships
  • \r\n\t
  • Work on longer-term term projects with clients to enable them to get value out of the FactSet product suite
  • \r\n\t
  • Being effective problem solvers and providing creative solutions to the questions clients have in and around the use of FactSet
  • \r\n\t
  • Answering day-to-day client queries and providing creative and complex solutions through their helpdesk
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal Client Solutions Associate possesses the following qualifications:

\r\n\r\n
    \r\n\t
  • Fresh graduates or investment professionals with less than 3 years of working experience
  • \r\n\t
  • A bachelor's degree (Finance, Economics, Mathematics, Accounting, MIS and Computer Science majors are preferred, but all majors will be considered)
  • \r\n\t
  • Background or strong interest in a Finance or FinTech industry
  • \r\n\t
  • Strong analytical and problem-solving skills and ability to come up with creative solutions
  • \r\n\t
  • Exceptional communication, interpersonal and client-facing skills
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As part of the Graduate Program, you will receive a competitive starting salary with extra perks not limited to free lunch, a stocked fridge & pantry, private health care and social events.

\r\n\r\n

Training & development

\r\n\r\n

Client Solutions Associates begin their careers through a comprehensive development program, followed by working with clients first over the phone.

\r\n\r\n

The FactSet Graduate program will offer you:

\r\n\r\n
    \r\n\t
  • Training program spanning 6 months to get you ready for this client-facing FinTech role
  • \r\n\t
  • Exposure to the largest domestic and global financial institutions across Investment Management and Investment Banking
  • \r\n\t
  • Responsibility for owning a multimillion-dollar book of accounts within the first 12 months
  • \r\n\t
  • Opportunity to become the lead consultant on tech projects that hold up their superfund and asset management industry
  • \r\n\t
  • Opportunity to lead, contribute or attend meaningful Corporate Social Responsibility Programs
  • \r\n
\r\n\r\n

To know more, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

FactSet fosters career growth by valuing exceptional talent and encouraging new ideas to stay at the forefront of financial services and software. They prioritize internal advancement and support employees' individual career development as they continue to grow and innovate.

\r\n\r\n

Source

\r\n\r\n

The following source was used in researching this page:

\r\n\r\n
    \r\n\t
  • factset.com/careers
  • \r\n\t
  • factset.wd1.myworkdayjobs.com/en-US/factsetcareers/
  • \r\n
", - "company": { - "name": "FactSet", - "website": "https://au.prosple.com/graduate-employers/factset", - "logo": "https://connect-assets.prosple.com/cdn/ff/RT7EqOdEVURQp-0C630lBrgoE4_J1ObKOe5eVCnJAao/1728982331/public/styles/scale_and_crop_center_80x80/public/2024-10/logo-factset-450x450-2024.png" - }, - "application_url": "https://factset.wd1.myworkdayjobs.com/en-US/factsetcareers/job/Client-Solutions-Associate--Melbourne---Feb-2025-_R25603?locations=e45ee8093d590145011bcd439312bc2f", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/factset/jobs-internships/client-solutions-associate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3fa" - }, - "title": "Graduate Program - Cyber Security", - "description": "

Our Graduate Program is designed for talented, passionate graduates who are looking to join an agile world leader and are ready to use the power of technology to deliver mission critical IT services that move the world. Our customers entrust us to deliver what matters most. We believe every graduate is unique and our aim is to help you build a solid foundation in your professional career, apply your learnings, and discover new possibilities.

\r\n\r\n

If you are passionate about making a difference for our customers and society, this program is for you! Whether you are a tech enthusiast or someone who just wants to make an impact on people’s lives – join the DXC journey in shaping the future of tomorrow. 

\r\n\r\n

Graduate opportunities:

\r\n\r\n

As part of the Cyber Security team,  you will assist with auditing computer systems to ensure they are operating securely, and that data is protected from both internal and external attacks. You will support security assessments and monitor, evaluate,  and assist with the maintenance of assigned security systems as per industry best practices to safeguard internal information systems and databases. You will be required to provide support for system reviews to determine if they are designed to comply with established standards and participate in the investigation of security violations and breaches whilst preparing reports on intrusions as needed. Additionally, you will review firewall logs across an assigned area and assist with the configuration of firewalls, intrusion detection systems, and other network security devices across designated areas 

\r\n\r\n

Your journey starts from Day 1

\r\n\r\n

You will take part in a structured induction program where you will have the opportunity to meet other graduates from your cohort across Australia and New Zealand and undertake training to get you up to speed with the DXC environment and build your interpersonal skills.

\r\n\r\n

What’s in it for you?

\r\n\r\n
    \r\n\t
  • A stimulating 12-month program with a company that is well-positioned to grow and deliver true innovation and value to our customers
  • \r\n\t
  • Opportunities to collaborate with senior leaders on various projects
  • \r\n\t
  • Ongoing training and development
  • \r\n\t
  • A dedicated people manager and buddy to help guide and support you from Day 1
  • \r\n\t
  • A variety of social and cultural activities to extend your networking and team-building skills
  • \r\n
\r\n\r\n

What we’re looking for?

\r\n\r\n

To be eligible for our Graduate Program, when submitting your application, you must be:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Permanent Resident
  • \r\n\t
  • Have completed all course requirements for your degree no earlier than November 2023, and must be expecting to complete all course requirements for your degree no later than February 2026
  • \r\n
\r\n\r\n

All degrees are accepted. We invite you to join our passionate team and thrive with DXC.

\r\n\r\n

Our 'people first' mindset comes to life offering the ultimate in working flexibility. We take a virtual first approach and our teams are spread across multiple geographies delivering a broad range of customer projects, which means we can tailor working arrangements that work for our people. DXC is an equal-opportunity employer. We welcome the many dimensions of diversity. To increase diversity in the technology industry, we encourage applications from Aboriginal and/or Torres Strait Islander people, neurodiverse people, and members of the LGBTQIA+ community. Accommodation of special needs for qualified candidates may be considered within the framework of the DXC Accommodation Policy. In addition, DXC Technology is committed to working with and providing reasonable accommodation to qualified individuals with physical and mental disabilities. 

\r\n\r\n

If you need assistance in filling out the application form or require a reasonable accommodation while seeking employment, please e-mail: anzyoungprofessionals@dxc.com If you wish to find out more, please visit our website or contact anzyoungprofessionals@dxc.com 

\r\n\r\n

DXC acknowledges the Traditional Owners of country throughout Australia, and their continuing connection to land, water and community. We pay our respects to them and their cultures, and to their Elders, past, present and emerging.  

", - "company": { - "name": "DXC Technology", - "website": "https://au.prosple.com/graduate-employers/dxc-technology", - "logo": "https://connect-assets.prosple.com/cdn/ff/Pgy3E3kN6YXC6_S3L_do1cfn2XDySpE4FpfVn2CYCsg/1623321492/public/styles/scale_and_crop_center_80x80/public/2021-06/logo-dxc-technology-ph-480x480-2021.png" - }, - "application_url": "https://dxc.com/au/en/careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dxc-technology/jobs-internships/graduate-program-cyber-security-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3fb" - }, - "title": "Engineering and Cyber Security Graduate Program", - "description": "
    \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices or tech hubs across Australia, balanced with working from home (hoodies optional). 
  • \r\n\t
  • You’ll experience a world class rotational Graduate Program, tailored to the career pathway you choose and designed to support as you launch your career. 
  • \r\n\t
  • We have great work perks (think gym discounts and reward points to put towards your next holiday). And we’re going to have loads of fun together along the way! 
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n
    \r\n\t
  • Contribute to Australia’s #1 banking app using the latest tech and determine how 17 million+ customers access their money. 
  • \r\n\t
  • You’ll detect and respond to rapidly changing threats - Your work will protect our customers and keep millions of people safe for generations to come. 
  • \r\n
\r\n\r\n

You’ll be at the forefront of innovation at Australia’s largest Bank, with the biggest community of tech grads in the country. Your analytical mindset and adaptability will have you detecting and responding to the rapidly changing tech eco-system. Your problem solving abilities will have you working on technologies that aren’t even invented yet, reimagining products for our customers.

\r\n\r\n

Over the course of your selected program, you’ll get to be part of hackathons, gain certifications and attend industry-leading events. 

\r\n\r\n

See yourself in our team

\r\n\r\n

With this career pathway, you have three programs to choose from. Being part of the Tech Graduate Program means you’ll: 

\r\n\r\n
    \r\n\t
  • Be empowered to do your best work while working on real life projects from day one 
  • \r\n\t
  • Gain access to world-class technical and development resources 
  • \r\n\t
  • Be surrounded by colleagues and leaders who’ll support your personal and professional growth 
  • \r\n\t
  • Be supported to give back through volunteering opportunities
  • \r\n
\r\n\r\n

Engineering – Sydney, Melbourne & Perth

\r\n\r\n

We're building tomorrow’s bank today, we’re discovering new technologies on the horizon that aren’t invented yet and reimagining products for our customers. You’ll be responsible for the world-leading application of technology across every single aspect of CommBank – from innovative product platforms for our customers, to essential tools within our business. You’ll form part of the engine room behind Australia’s number one banking app, the Australian-first Cardless Cash, Spend Tracker, Benefits Finder and Step Pay. The possibilities for our tech cohort is ever-expanding. You'll gain exposure in Data (Machine Learning/Artificial Intelligence), Software Engineering (Web/Mobile/Fullstack), Site Reliability (SRE) and Security.

\r\n\r\n

When you finish the program, we'll work with you to understand your career goals and determine your strengths to position you in a role that best suits you and the business.

\r\n\r\n

We’re interested in hearing from you if:

\r\n\r\n
    \r\n\t
  • You're a tech wizard who’s passionate about innovation and keen to learn new tech stacks, languages and frameworks;
  • \r\n\t
  • You’re a curious problem solver who loves simplifying processes;
  • \r\n\t
  • You can put yourself in the customer’s shoes & imagine better experiences for them.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a Tech degree, your skills may align to one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian/NZ citizen or Australian permanent resident at the time of your application;
  • \r\n\t
  • In your final year of your overall university degree, or have completed your final subjects within the last 24 months; and
  • \r\n\t
  • Achieving at least a credit average across your overall degree;
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://www.commbank.com.au/graduate", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/engineering-and-cyber-security-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3fc" - }, - "title": "Trainee Program", - "description": "

Applications open for our 2026 Program on 24th February 2025

\r\n\r\n
    \r\n\t
  • Launch your career straight out of high school  
  • \r\n\t
  • You’ll benefit from hybrid working, dressing for your day and enjoy a range of leave options
  • \r\n\t
  • Get ready to gain experience at one of Australia's largest Professional Services firms
  • \r\n
\r\n\r\n

How PwC can take you forward

\r\n\r\n

There’s so many ways to launch your career and make a positive impact here. It’s why we invest in our talent from the ground up – acting as the perfect springboard for aspiring professionals, just like you.

\r\n\r\n

By working with us, you’ll be helping a variety of Australian businesses (and not-for-profits) create sustainable value through elevated strategies, performances and workflow. So whether you’re implementing AI technology, developing climate-smart solutions or reinventing Aussie business models, you’ll be making an impact every day.

\r\n\r\n

Together, we’ll push forward – towards a better future for our communities, clients and people.

\r\n\r\n

If you’re in your final year of high school, or two years remaining on your undergraduate degrees, the Trainee Program is for you. You’ll be gaining practical work experience alongside your studies. This role offers you professional and financial support, providing a strong foundation of your career.

\r\n\r\n

Benefits designed to propel you forward

\r\n\r\n
    \r\n\t
  • Fast-track your career with world-class development opportunities working on real-world problems;
  • \r\n\t
  • Embrace a dynamic community with energising mentors and exposure to experienced leaders;
  • \r\n\t
  • Enjoy more autonomy and flexibility with hybrid working arrangements that suit you, your team and clients better;
  • \r\n\t
  • Dress for your day and feel empowered to work, collaborate and present with clients or team members;
  • \r\n\t
  • Invest in your health and lifestyle with perks like a wellness credit and discounted memberships.
  • \r\n
\r\n\r\n

Commitment to diversity and inclusion

\r\n\r\n

We value authenticity and unique perspectives, which is why we champion diverse talent from varied backgrounds and with different problem-solving abilities. Because this is what creates impactful creativity and the greatest value for our clients. So even if you don’t meet every qualification, reach out — because it’s your potential that counts.

\r\n\r\n

If you need any reasonable adjustments or wish to share your pronouns with us, please let us know — we’re committed to ensuring an inclusive experience for all.

\r\n\r\n

Want to move forward?

\r\n\r\n

If you’re driven to make an impact and want to experience the energy and openness of a large-scale, top tier firm – join us. We know that with your talent and our energy, we can do great things.

", - "company": { - "name": "PwC Australia", - "website": "https://au.prosple.com/graduate-employers/pwc-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/vQ_gFqkVbzCyntDyFKU_1UiZSfWYCOF0_Ub6jzPuqQ4/1561088773/public/styles/scale_and_crop_center_80x80/public/2019-03/pwc_global_logo.jpg" - }, - "application_url": "https://jobs-au.pwc.com/au/en/trainee-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/pwc-australia/jobs-internships/trainee-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-12T10:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3fd" - }, - "title": "Voyage Program - Revenue (Sydney)", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in Marriott's elite Voyage Program, gaining hands-on experience in hotel operations.
  • \r\n\t
  • Engage in discipline-specific training and leadership-focused curriculum.
  • \r\n\t
  • Cultivate customer relationships and champion innovation.
  • \r\n\t
  • Manage projects and people, improving processes and pitching new initiatives.
  • \r\n\t
  • Attend management meetings and collaborate with global Voyage participants.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess the following:

\r\n\r\n
    \r\n\t
  • Permanent working rights in Australia.
  • \r\n\t
  • A bachelor's degree or equivalent higher education.
  • \r\n\t
  • Experience in hospitality operations.
  • \r\n\t
  • Superior critical thinking and interpersonal communication skills.
  • \r\n\t
  • Ability to foster relationships and work collaboratively.
  • \r\n\t
  • Self-management skills and a proactive attitude.
  • \r\n\t
  • A desire for personal and professional growth.
  • \r\n\t
  • Recent graduation from a university or hotel school, or expected graduation within 12 months.
  • \r\n
\r\n\r\n

Compensation & Benefits

\r\n\r\n

This is a full-time, paid development program offering competitive salary and benefits, including opportunities for global exposure and networking.

\r\n\r\n

Training & development

\r\n\r\n

Participants will benefit from mentorship, access to senior leaders, and a curriculum designed to prepare them for leadership roles in the hospitality industry.

\r\n\r\n

Career progression

\r\n\r\n

Graduates of the program are well-prepared for supervisory or entry-level management roles within Marriott, with a strong foundation for future leadership positions.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your application, ensuring you meet the qualifications and have the necessary documentation for permanent work rights in Australia.

\r\n\r\n

Report this job

", - "company": { - "name": "Marriott International Australia", - "website": "https://au.prosple.com/graduate-employers/marriott-international-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Zb-uqjReliBmyMyEhgmtf0vL3yYdMq6Z15fm8j2bp_0/1650926616/public/styles/scale_and_crop_center_80x80/public/2022-04/1519856409539.jpg" - }, - "application_url": "https://careers.marriott.com/sydney-cluster-2025-voyage-program-revenue/job/20C0EF280F77F28D1B2D41487E3F8D3A?mode=location", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/marriott-international-australia/jobs-internships/voyage-program-revenue-sydney" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3fe" - }, - "title": "Technology and Digital Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

About the Tech and Digital area

\r\n\r\n

Want to play a part in how technology shapes our world and the world of generations to come? Graduates across technology and digital areas are at the forefront of driving innovation and challenging the status-quo for organisations as they look for ways to harness new developments ethically, sustainably and with maximum efficiency to their customers. Depending on your team and specialisation, you'll deal with day-to-day challenges and big-picture problems facing organisations and society. From ethical hacking and AI to IT strategy development, cyber security, cloud implementation and much more, a graduate role in a digital or tech team will see you set for a career with a big impact for the long term.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialities, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Technology, Digital and Engineering pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be cybersecurity specialists working alongside AI experts and a business transformation team.

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, as well as the delivery of the solution your client selects.

\r\n\r\n

Explore the types of work you could do in more detail.

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or recently graduated and not yet in professional work
  • \r\n\t
  • A one year grow pathway with targeted coaching, support and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2026 (typically, some teams have a slightly different schedule) with a full time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the 5 minute application form. If you’re eligible, you’ll receive our online testing information. Interviews are conducted in person across March and April.

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTw", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/technology-and-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee3ff" - }, - "title": "Technology Graduate Program", - "description": "

Vanguard Australia offers technology graduates an opportunity to join our 2026 Technology Graduate program. The program will give you hands-on experience working with industry leading systems and platforms. In the program you will gain rotational experience across our various Technology division with a pathway to an ongoing role at the end of the program.

\r\n\r\n

Invest in your success with the Technology Graduate Program 

\r\n\r\n

The Technology Division offers a dynamic environment for potential graduates, brimming with innovation and opportunities to explore cutting-edge advancements. With a strong focus on cloud technology, graduates can delve into the latest trends shaping the digital landscape. Beyond the realm of work, the division fosters a fun and vibrant atmosphere, encouraging creativity and out-of-the-box thinking. Collaboration is at the heart of every project, providing graduates with the chance to work alongside talented individuals, share ideas, and collectively push boundaries to drive great client outcomes. Joining the Technology Division isn't just about a career; it's about embarking on a journey of continuous learning, growth, and making a meaningful impact in for our clients. 

\r\n\r\n

What can you expect through this program? 

\r\n\r\n
    \r\n\t
  • Join us to make an impact across a diverse array of projects, from problem identification to crafting innovative solutions, building cutting-edge cloud-based systems, and providing essential infrastructure support. 
  • \r\n\t
  • Gain hands-on experience in developing highly secure, scalable, resilient and client centric solutions. 
  • \r\n\t
  • Immerse yourself in ways of working (wow), agile methodologies, performance metrics, and continuous improvement strategies. 
  • \r\n\t
  • Fuel your creativity through hack-a-thons and innovation days, where your ideas can thrive and become reality. 
  • \r\n\t
  • Elevate your skills through various learning opportunities such as IT expos, AWS training sessions, business acumen building sessions and structured learning pathways tailored to your growth. 
  • \r\n\t
  • Benefit from mentorship by industry-leading technologists. 
  • \r\n\t
  • Enjoy a vibrant workplace culture with trivia nights, social gatherings, and engaging activities like Deep Racer. 
  • \r\n\t
  • Rotations into different divisions within Vanguard Technology 
  • \r\n
\r\n\r\n

Following the completion of the program, participants will have the opportunity to launch into a permanent role.  

\r\n\r\n

What it takes 

\r\n\r\n

You have just graduated, or are on track to graduate this year, from a relevant degree, and are looking to launch a long and rewarding career with a global market leader. You want to be a part of a culture that promotes teamwork, diversity of thought, empathy, integrity and doing the best for our clients and our crew and believe in Vanguard’s mission: to take a stand for all investors, treat them fairly, and give them the best chance for investment success. 

\r\n\r\n

What you need to apply 

\r\n\r\n
    \r\n\t
  • Technology degree or a related degree 
  • \r\n\t
  • Availability to commence a 2-year graduate program in February 2026 
  • \r\n\t
  • Available for telephone and in-person interviews in July 2025 
  • \r\n\t
  • Curriculum Vitae 
  • \r\n\t
  • Academic Transcript (unofficial transcript will suffice for those who have not yet graduated) 
  • \r\n\t
  • WAM (Weighted Average Mark) of 75+ 
  • \r\n\t
  • Full working rights for Australia. 
  • \r\n\t
  • Exposure to Python, Cloud computing, Java, Node JS Technologies (Preferred but not Mandatory) 
  • \r\n
\r\n\r\n

The selection process may be a combination of in person interviews, code tests and a group activity. 

", - "company": { - "name": "Vanguard Australia", - "website": "https://au.prosple.com/graduate-employers/vanguard-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/giZwh0vdeXFMMUREH70wtHwyZR10t35rDIt7dZRLQ70/1664526862/public/styles/scale_and_crop_center_80x80/public/2022-09/logo-vanguard-au-450x450-2022.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/vanguard-australia/jobs-internships/technology-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee400" - }, - "title": "Technology Specialist Internship", - "description": "

Your role

\r\n\r\n

Technology Specialist Intern engages with and guides customers toward technical decisions to purchase and use Microsoft technology. Leverages sales strategy to address customer digital transformation and align technology to customer business needs. Understands customer needs, collects customer feedback, and provides strategic input to customers. Acts as an orchestration point for technical resources and works to resolve blockers in order to achieve solution implementations.

\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Develops understanding of current customer context and anticipates next steps. Uses product expertise to build credibility with customers.
  • \r\n\t
  • Reviews customer interactions and raises competitive information to account teams to contribute to development and landing of compete strategies.
  • \r\n\t
  • Contributes to product strategy by soliciting and communicating customer feedback.
  • \r\n\t
  • Tailors Microsoft standard messaging to audience using knowledge of specific Microsoft products.
  • \r\n\t
  • Contributes to demonstrations (e.g., proof of concept [POC] sessions) of solutions based on specific Microsoft products through initial engagements and coaching from senior colleagues. Leverages partner/customer teams as needed to prove product capabilities and integration into customer environment.
  • \r\n\t
  • Consumes and leverages readiness materials to expand domain knowledge and practices expertise by communicating with customers, partners, and senior colleagues.
  • \r\n\t
  • Embody their culture and values
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Required Qualifications:

\r\n\r\n
    \r\n\t
  • Currently pursuing a Bachelor's Degree in Computer Science, Information Technology, or related field.
  • \r\n\t
  • Must have at least 1 semester/term remaining following the completion of the internship.  
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As an intern at Microsoft, you may receive the following benefits (may vary depending on the nature of your employment and the country where you work):

\r\n\r\n
    \r\n\t
  • Industry-leading healthcare
  • \r\n\t
  • Educational resources
  • \r\n\t
  • Discounts on products and services
  • \r\n\t
  • Savings and investments
  • \r\n\t
  • Maternity and paternity leave
  • \r\n\t
  • Generous time away
  • \r\n\t
  • Giving programs
  • \r\n\t
  • Opportunities to network and connect
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

At Microsoft, Interns work on real-world projects in collaboration with teams across the world, while having fun along the way. You’ll be empowered to build community, explore your passions and achieve your goals. They support continuous learning and growth through a wide range of technical, management, and professional development programs.

\r\n\r\n

To know more about the life as a Microsoft intern, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

Nikhil Gaekwad's career growth at Microsoft showcases the extensive advancement opportunities they offer, beginning from his initial internships and leading to his role as a program manager on the Windows team. His path demonstrates how Microsoft's practical projects, mentorship, and diverse cross-platform experiences empower interns and employees to build essential skills, contribute meaningfully, and shape successful tech careers. Read about his story here.

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.microsoft.com/v2/global/en/benefits
  • \r\n\t
  • news.microsoft.com/life/windows-opportunity-career-potential-meets-cutting-edge-technology/
  • \r\n
", - "company": { - "name": "Microsoft Australia", - "website": "https://au.prosple.com/graduate-employers/microsoft", - "logo": "https://connect-assets.prosple.com/cdn/ff/sY04jQaY8yP_42XE9NQAh_Svng9_KxFevW_9wxdyBb8/1564041819/public/styles/scale_and_crop_center_80x80/public/2019-03/microsoft_global_logo.png" - }, - "application_url": "https://jobs.careers.microsoft.com/global/en/share/1778031/?utm_source=Job Share&utm_campaign=Copy-job-share", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/microsoft-australia/jobs-internships/technology-specialist-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee401" - }, - "title": "Intelligence Pathway Graduate Program", - "description": "

Make your mark in the Intelligence pathway working on planning, strategy, and operations at one of Defence's 3 intelligence agencies.

\r\n\r\n

The Intelligence pathway accepts applications from all degree disciplines. It's suited for graduates interested in:

\r\n\r\n
    \r\n\t
  • analysis
  • \r\n\t
  • critical thinking
  • \r\n\t
  • cybersecurity
  • \r\n\t
  • innovation
  • \r\n\t
  • intelligence
  • \r\n\t
  • international studies
  • \r\n\t
  • national security
  • \r\n\t
  • space
  • \r\n\t
  • technology
  • \r\n
\r\n\r\n

Salary

\r\n\r\n

All successful candidates start the Graduate Program on a salary of $73,343 plus 15.4% superannuation (increasing to $76,277 upon the Fair Work Commission approval of the Defence Enterprise Collective Agreement – 2024).

\r\n\r\n

Graduates advance to a higher salary after successfully completing the Program. The amount depends on which training pathway is completed.

\r\n\r\n

Defence's is committed to enabling an enjoyable work-life balance through:

\r\n\r\n
    \r\n\t
  • generous remuneration package
  • \r\n\t
  • conditions of service
  • \r\n\t
  • flexible work arrangements and
  • \r\n\t
  • leave benefits.
  • \r\n
\r\n\r\n

Location

\r\n\r\n

Locations vary depending on the Defence group selected.

\r\n\r\n
    \r\n\t
  • Australian Geospatial-Intelligence Organisation (AGO):\r\n\t
      \r\n\t\t
    • Analyst Stream – Canberra
    • \r\n\t\t
    • Corporate Stream – Canberra and Bendigo (Victoria)
    • \r\n\t\t
    • Geospatial Stream – Bendigo (Victoria)
    • \r\n\t\t
    • Technical Stream - Canberra.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Australian Signals Directorate (ASD) - Canberra.
  • \r\n\t
  • Defence Intelligence Organisation (DIO) - Canberra.
  • \r\n
\r\n\r\n

Defence offers relocation assistance for successful interstate graduates.

\r\n\r\n

Duration

\r\n\r\n

12 months – 3 x 4-month rotations (ASD and DIO)

\r\n\r\n

12 months – 1 x 8-month rotation and 1 x 4-month rotation (AGO)

\r\n\r\n

Roles

\r\n\r\n

Intelligence pathway applicants will start their career in one of the following:

\r\n\r\n
    \r\n\t
  • Australian Signals Directorate (ASD)
  • \r\n
\r\n\r\n

ASD works across intelligence, cyber security, and offensive cyber operations to support the Australian Government and the Australian Defence Force.

\r\n\r\n
    \r\n\t
  • Defence Intelligence Group (DIG)\r\n\r\n\t
      \r\n\t\t
    • Australian Geospatial-Intelligence Organisation (AGO)
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

The lead agency for geospatial data, information, and intelligence for Defence and the national intelligence community.

\r\n\r\n
    \r\n\t
  • Defence Intelligence Organisation (DIO)
  • \r\n
\r\n\r\n

Transforms information from national and international sources into reliable insights to help defend Australia and protect its interests.

\r\n\r\n

Defence is the winner of the 2023 Graduate Employer Award for Government & Public Safety by Prosple.

", - "company": { - "name": "Department of Defence", - "website": "https://au.prosple.com/graduate-employers/department-of-defence", - "logo": "https://connect-assets.prosple.com/cdn/ff/sKy0CNv4vkus5lqJKQwuEfeblfZAjq9wwWz9DYl9uoU/1666050750/public/styles/scale_and_crop_center_80x80/public/2022-10/logo-department-of-defence-480x480-2022.png" - }, - "application_url": "https://www.defence.gov.au/jobs-careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-defence/jobs-internships/intelligence-pathway-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee402" - }, - "title": "Insurance, Superannuation or Banking Graduate Program", - "description": "

What it does: Regulates the financial services industry
\r\nStaff stats: Around 820
\r\nThe good bits: A job like no other - Unique, Interesting work. Ability to meet top executives across the industry. A role where you can give back, and have a positive impact on the Australian financial system. A rotational program where you can influence your journey. Develop yourself both technically and personally, in a culture that cares. 
\r\nThe not-so-good bits: We need to be mindful of being Government, and reputational risk, so there are a number of meetings before we finalise our work. Potentially not as many ‘perks' as private sector roles.
\r\nHiring grads with degrees in:  Commerce, Actuarial, Engineering, Mathematics, STEM, IT & Computer Sciences; Finance, Accounting, Economics & Business Administration; Humanities, Arts & Social Sciences; Law & Legal Studies 

\r\n\r\n

What to expect

\r\n\r\n

The APRA Graduate Program is one of the most in-depth and diverse in the financial services industry.

\r\n\r\n

Our Graduate Program runs for 15 months. During this time you will complete three five-month rotations across a number of our teams including frontline supervision, risk, policy and advice, or data analytics. This program gives you the opportunity to build the core foundations of prudential regulation.

\r\n\r\n

Alongside these rotations, you will be supported by an in-depth learning and development program, including access to an extensive range of in-house training programs. These are designed to support you in growing your technical and personal capabilities and help jump-start your career as a financial professional.

\r\n\r\n

Professional development is ongoing throughout your career with us. In fact, professional development is an integral part of ensuring we maintain our excellence as a regulator. As one of our graduates, you’ll benefit from:

\r\n\r\n
    \r\n\t
  • Being assigned a buddy - who is a graduate from the year before, and is fresh with understanding the challenges of being a graduate at APRA.
  • \r\n\t
  • Support from a number of managers – who manage you on each of your rotations, as well as a manager to support you for the duration of the Graduate Program.
  • \r\n\t
  • Working as part of an APRA team from the start.
  • \r\n
\r\n\r\n

At the end of your Graduate Program, you will remain an employee of APRA and have the opportunity to drive your career in any of APRA's core functions, including specialist areas.

\r\n\r\n

Graduate placements will be available in our Sydney, Melbourne and Brisbane offices.

\r\n\r\n

You can watch a series of videos featuring past graduates who share their experience being involved in the APRA Graduate Program.

\r\n\r\n

The Australian Prudential Regulation story

\r\n\r\n

Following the privatisation and deregulation binge of the 1980s and early 1990s, the Federal Government established the Financial System Inquiry in 1996. It was tasked with proposing a regulatory system that would ensure an “efficient, responsive, competitive and flexible financial system to underpin stronger economic performance, consistent with financial stability, prudence, integrity and fairness”. (Previously Australia’s financial services industry was regulated by the Australian Financial Institutions Commission, Insurance and Superannuation Commission and Reserve Bank.)

\r\n\r\n

The Financial System Inquiry recommended a statutory authority of the Federal Government be set up to oversee banks, building societies, credit unions, friendly societies, insurance companies and the superannuation industry.

\r\n\r\n

On July 1 1998, the Australian Prudential Regulation Authority (commonly referred to as APRA) was established to do exactly this. Ever since, it has supervised institutions holding assets for Australian bank customers, insurance policyholders and super fund members. With considerable success across two decades, APRA has ensured those entities that make up the financial services industry remain financially sound and able to meet their obligations to their clients.   

\r\n\r\n

Our vision

\r\n\r\n

In order to reflect APRA's forward-looking philosophy, our Vision is focused on two strategic themes: Protected today and prepared for tomorrow.

\r\n\r\n

Our values

\r\n\r\n

Our values underpin the critical role we play in protecting the financial well-being of the Australian community. Our values were selected to help everyone at APRA to achieve the high standards necessary for us to protect the financial well-being of the Australian community. In our work and in our interactions with others, we seek to demonstrate:

\r\n\r\n
    \r\n\t
  • Integrity – we act without bias, are balanced in the use of our powers, and deliver on our commitments.
  • \r\n\t
  • Collaboration – we actively seek out and encourage diverse points of view, to produce well-founded decisions
  • \r\n\t
  • Accountability – we are open to challenge and scrutiny, and take responsibility for our actions
  • \r\n\t
  • Respect – we are always respectful of others, and their opinions and ideas
  • \r\n\t
  • Excellence – we maintain high standards of quality and professionalism in all that we do
  • \r\n
\r\n\r\n

Working and acting in these ways helps us achieve the high standards necessary for us to protect the financial well-being of the Australian community. Our supervisory approach is forward-looking, primarily risk-based, consultative, consistent and in line with international best practices. This approach also recognises that management and boards of supervised institutions are primarily responsible for financial soundness.

\r\n\r\n

The culture

\r\n\r\n

APRA’s workplace diversity strategy “takes a pro-active and innovative approach in creating a flexible and inclusive employment environment that values and utilises the contribution of people of different backgrounds, experiences, perspectives and abilities”. APRA offers an extensive range of flexible work arrangements to allow staff to meet family and other commitments.

\r\n\r\n

Social contribution

\r\n\r\n

APRA staff play a vital role in protecting the financial well-being of almost every Australian citizen by overseeing around $8 trillion of bank deposits, super contributions and insurance premiums. APRA also has a workplace-giving scheme that allows donations to be taken directly from an employee’s salary.

\r\n\r\n

The vibe of the place

\r\n\r\n

APRA combines most of the good aspects of the public and private sectors. Staff are well looked after but also get to enjoy a good work-life balance and an enviable degree of job security. While a clear hierarchy exists, those at the top of it are approachable. There are lots of social events and staff often go out for social occasions at the end of the working day.

\r\n\r\n

The recruitment process

\r\n\r\n

APRA recruits graduates who’ve achieved at least a minimum credit average in, but not limited to a discipline. Graduates from the following degrees are generally attracted to apply: actuarial studies, commerce, economics, econometrics, finance, financial modelling, law, mathematics, Engineering, public policy and statistics. Those from other disciplines may be considered if they are high achievers with impressive research and analytical skills. The grad program will be only available at APRA’s Sydney, Brisbane and Melbourne offices.

\r\n\r\n

Applications open: February - April Annually, and at times an additional recruitment round can be opened throughout the year. If you are interested to keep in contact, register your interest by clicking the pre-register button below

\r\n\r\n
    \r\n\t
  1. Apply online (February - April)
  2. \r\n\t
  3. Psychometric assessment (April)
  4. \r\n\t
  5. Assessment Centre (3 hours) (May)
  6. \r\n\t
  7. Final interview (In person in Brisbane, Sydney, Melbourne or virtually) (June)
  8. \r\n\t
  9. Reference check (June -July)
  10. \r\n\t
  11. Offer or Merit List (July onwards)
  12. \r\n
\r\n\r\n

Each year we often see many fabulous graduates, more than we can offer. In this instance, we inform some applicants that they are on a ‘Merit’ list. APRA uses this list should APRA increase the graduate program intake number or a graduate withdraws from the program. We also look to the Merit list before opening up a new recruitment campaign and we will keep you updated for the next 6 months regarding graduate-level opportunities across APRA. 

\r\n\r\n

Remuneration

\r\n\r\n

APRA’s funding is provided by the industry it regulates rather than the taxpayer, and it offers unusually lavish benefits for a public-sector employer. 

\r\n\r\n

APRA's graduate starting salary is $85,000 inclusive of superannuation. APRA is focused on intensively building your capabilities, and through capability growth, on average, graduate salaries have increased 10% annually for the first few years of your career. APRA is dedicated to investing in early talent and reviews salaries comparatively with external and internal salary data. 

\r\n\r\n

Our employees enjoy a range of benefits including working in a flexible, inclusive and diverse environment.

\r\n\r\n

Some benefits offered to employees include:

\r\n\r\n
    \r\n\t
  • Health and well-being checks
  • \r\n\t
  • Annual flu vaccinations
  • \r\n\t
  • Employee Assistance Program (professional and confidential counselling sessions for employees and their immediate families)
  • \r\n\t
  • Wellbeing Ambassador network
  • \r\n\t
  • Ergonomic workstations
  • \r\n\t
  • Regular social events
  • \r\n\t
  • Subsidised corporate team sports, running events and pedometer challenge
  • \r\n\t
  • Discounted gym memberships
  • \r\n
\r\n\r\n

Career prospects

\r\n\r\n

After finishing the grad program, we will work with you to find a team that you wish to join permanently. In joining that team, you will be promoted to the role of Analyst. APRA promotes employees on capability growth, so your path and progression are your own, following the graduate program.  You do not have to stay in a role level for a period of time before progression. APRA encourages open and honest discussions between the employee and their manager. We have numerous training courses to strengthen your skills, both personally and technically. APRA is focused on encouraging mobility; therefore you can move across teams as opportunities become available, or an opportunity to be seconded to another agency such as the RBA, ASIC, Treasury or the like. 

", - "company": { - "name": "Australian Prudential Regulation Authority (APRA)", - "website": "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra", - "logo": "https://connect-assets.prosple.com/cdn/ff/8VphHDM-cMSaiNZC9WiFCP5Y7IbPVTVuO34cEtfyOew/1708482025/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-apra-480x480-2024.jpg" - }, - "application_url": "https://2025graduateprogram-apra.pushapply.com/login?utm_source=prosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra/jobs-internships/insurance-superannuation-or-banking-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee403" - }, - "title": "Data or STEM Graduate Program", - "description": "

What we provide 

\r\n\r\n
    \r\n\t
  • a full-time, 12-month, award-winning graduate program
  • \r\n\t
  • a competitive starting salary of $70,280 (plus 15.4% super) as an APS3
  • \r\n\t
  • an excellent social and networking base with fellow graduates
  • \r\n\t
  • inspiring work rotations to develop your skills and explore different areas of interest
  • \r\n\t
  • work-life balance including flexible working from home arrangements and generous leave entitlements
  • \r\n\t
  • career progression to a permanent APS 4 level role of more than $86,800 ($75,279 plus 15.4% super), relevant to your stream, when you complete the program.
  • \r\n
\r\n\r\n

What you’ll do   

\r\n\r\n

At the ATO, we take pride in being a data-driven organisation as we continue to use data in smarter ways to improve decisions and our services – and we want you to be a part of our pioneering approach. Your work will optimise services that in turn help your community.  

\r\n\r\n

You’ll be part of a globally recognised, leading data capability. Your work will contribute to our design solutions that turn problems upside down and build cutting-edge systems. You could:   

\r\n\r\n
    \r\n\t
  • develop models to understand risk and opportunity by applying the latest techniques
  • \r\n\t
  • use analytics and leverage data to provide valuable analysis and insights
  • \r\n\t
  • design the system around verifiable data and manage data through its lifecycle, from creation, to discovery, to matching
  • \r\n\t
  • manage external strategic data relationships and provide advice on governance, ethics, and best practice.
  • \r\n
\r\n\r\n

You’ll receive tailored training and mentoring from subject matter experts to enable you to reach your full potential.    

\r\n\r\n

Who you are  

\r\n\r\n

We’re looking for people with curious minds, who can demonstrate a passion for Australian Government initiatives, enjoy outside the box thinking, sharing ideas and building relationships. If this sounds like you, then this could be the perfect opportunity for you. 

\r\n\r\n

Who can register

\r\n\r\n

To be eligible to register, you must have completed your university degree within the last five years or be in your final year of study. At the time of commencing our program, you must have completed all your course requirements.  

\r\n\r\n

The program starts in February 2026. You must be an Australian citizen and willing to undergo police, character and health checks as required.

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like the perfect opportunity to you, we encourage you to register your interest today. 

", - "company": { - "name": "Australian Taxation Office (ATO)", - "website": "https://au.prosple.com/graduate-employers/australian-taxation-office-ato", - "logo": "https://connect-assets.prosple.com/cdn/ff/pj7oAoSwYPwm88sFO6z8XetMEKL5ATxqPi4iUou5NsY/1613637760/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-ato-240X240-2021.jpg" - }, - "application_url": "https://www.ato.gov.au/About-ATO/Careers/Entry-level-programs/The-ATO-Graduate-program/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-taxation-office-ato/jobs-internships/data-or-stem-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee404" - }, - "title": "Business Banking - CommSec Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n

As Australia’s leading online Broker, CommSec helps Australian’s invest with confidence. 

\r\n\r\n

By working within our CommSec teams, you’ll make a difference every day. You’ll have the opportunity to work on key business initiatives and get a behind the scenes look into how the CommSec apps, website, products and services empower more Australians to grow their wealth.

\r\n\r\n

Additionally Summer Interns are able to work alongside and network with senior leaders who provide you with training and coaching to be able to contribute valuable ideas that tackle important customer concerns.

\r\n\r\n

See yourself in our team

\r\n\r\n

Did you know that the teams in CommSec are more than just traders? You may see yourself joining teams such as digital, product, analytics and customer experience. 

\r\n\r\n

We’re looking for interns from every discipline who can demonstrate innate critical thinking, a strong analytical mindset and a passion for providing exceptional outcomes for our customers.

\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a specific degree, your skills may align to one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

Join us

\r\n\r\n

If this sounds like you, and you’re:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining. 

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/Private_Ad/job/Sydney-CBD-Area/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/business-banking-commsec-summer-intern-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee405" - }, - "title": "Junior IT Service Desk Analyst - Sydney", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Resolve complex hardware and software issues with advanced technical skills.
  • \r\n\t
  • Provide exceptional user support with clear communication and empathy.
  • \r\n\t
  • Manage incidents and service requests using IT service management tools.
  • \r\n\t
  • Collaborate with cross-functional teams to improve systems and processes.
  • \r\n\t
  • Engage in proactive problem-solving and data analysis.
  • \r\n\t
  • Participate in major projects and maintain composure under pressure.
  • \r\n\t
  • Contribute to a culture of continuous learning and excellence.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A Bachelor's Degree in IT, Computer Science, or a related field.
  • \r\n\t
  • Professional certifications like CompTIA A+ or ITIL Foundation.
  • \r\n\t
  • Proficiency in diagnosing and resolving technical issues.
  • \r\n\t
  • Strong communication, active listening, and empathy skills.
  • \r\n\t
  • In-depth knowledge of operating systems, software, networking, and hardware.
  • \r\n\t
  • Familiarity with ITSM tools and processes.
  • \r\n\t
  • Strong analytical and critical thinking skills.
  • \r\n\t
  • Ability to create and maintain knowledge base articles and guides.
  • \r\n\t
  • Skills in optimizing workflows and enhancing user experience.
  • \r\n\t
  • Ability to collaborate with teams, vendors, and stakeholders.
  • \r\n\t
  • Effective time management skills in a fast-paced environment.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Capricorn offers a diverse and inclusive workplace with flexibility, paid parental leave, a fun environment, and work perks such as a reward and recognition program, wellness program, and additional leave purchase options.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Opportunities for growth include professional development programs and participation in major projects, fostering a culture of continuous learning.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within Capricorn's IT team, contributing to personal and professional growth over the next few years.

\r\n\r\n

How to Apply

\r\n\r\n

If you believe you are the right fit for this role and align with our Member-first culture, apply now. Applications are reviewed as they arrive, so early submission is encouraged.

\r\n\r\n

Report this job

", - "company": { - "name": "Capricorn Society Australia", - "website": "https://au.prosple.com/graduate-employers/capricorn-society-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/B1DrouAsDEQyMkExS_0E9NhzCPJDVilS3pM2C7oBg4g/1736857182/public/styles/scale_and_crop_center_80x80/public/2025-01/Capricorn%20Society%20Australia%20Logo.png" - }, - "application_url": "https://capricorn.breezy.hr/p/b374e83fb20701-junior-it-service-desk-analyst-12-month-fixed-term?source=www.capricorn.coop/careers&popup=true", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/capricorn-society-australia/jobs-internships/junior-it-service-desk-analyst-sydney" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee406" - }, - "title": "Corporate and Professional Services Graduate Stream", - "description": "

Ask questions, follow your curiosity and shape public sector accountability as you complete a graduate program that will help you grow, excel and lead. 

\r\n\r\n

Arts, humanities, science, business, law and all other degree students: GROW your understanding of how corporate services enable public sector functions, EXCEL in your chosen professional field, LEAD change across our organisation and transform the way the office works. 

\r\n\r\n

Use your corporate and professional skills to help the ANAO in achieving its purpose. Support and enable our audit teams by keeping the office running — or by providing expert technical audit advice. 

\r\n\r\n

Your days might involve: 

\r\n\r\n
    \r\n\t
  • working on finalising audit reports for publishing and tabling, in the communication team 
  • \r\n\t
  • organising a training session to address a skill gap, in the HR team 
  • \r\n\t
  • planning a pilot program for new software, in the IT team
  • \r\n\t
  • preparing legal advice for the executive, in the legal team
  • \r\n\t
  • reviewing audit work for quality and compliance 
  • \r\n\t
  • managing the methodologies and tools that guide our best practice auditing standards. 
  • \r\n
\r\n\r\n

Do you have a background in law, communication, human resources, IT support, corporate finance, project management, or audit technical? Keen to dive into a unique operating environment with a diversity of corporate tasks? Are you passionate about public sector transparency and accountability? Then the ANAO is the place for you!

\r\n\r\n

What you’ll get out of your graduate program

\r\n\r\n
    \r\n\t
  • generous conditions, including a starting salary of $73,305 per annum plus 15.4% super
  • \r\n\t
  • engaging, interesting and varied work that supports accountability and integrity in government
  • \r\n\t
  • extensive learning and development opportunities to support career goals
  • \r\n\t
  • flexible working arrangements and a positive culture of work-life balance
  • \r\n\t
  • opportunity to work closely with and learn from senior leaders 
  • \r\n\t
  • promotion to a higher classification at the completion of the program. 
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last seven years or be in your final year of study.

\r\n\r\n

You must also be an Australian citizen willing to undergo a security clearance process and relocate to Canberra. We can assist you with this aspect and provide you support in moving to Canberra. 

", - "company": { - "name": "Australian National Audit Office (ANAO)", - "website": "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao", - "logo": "https://connect-assets.prosple.com/cdn/ff/9rFQSoRfaIwNy9cw63xERr_pzP95P_NQwCx5mwC2oXA/1734671436/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-australian-national-audit-office-480x480-2024.jpg" - }, - "application_url": "https://anaocareers.nga.net.au/cp/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao/jobs-internships/corporate-and-professional-services-graduate-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee407" - }, - "title": "Top – Up Graduate Development Program", - "description": "

Overview

\r\n\r\n
    \r\n\t
  • Woodside Energy offers a dynamic work environment for graduates
  • \r\n\t
  • Graduates can enjoy a range of career opportunities within the company
  • \r\n\t
  • The three-year structured Development Program helps graduates learn from reputable leaders in the industry
  • \r\n\t
  • Carefully designed job rotations set graduates up for success in the future
  • \r\n\t
  • Graduates will broaden their knowledge of the business through rotations, projects, and training
  • \r\n\t
  • Site visits are offered to provide exposure to operations
  • \r\n\t
  • Coaches, mentors, and a dedicated graduate buddy provide support during the transition from university to the workplace
  • \r\n\t
  • Woodside Energy offers development and leadership training throughout and after the graduate program
  • \r\n\t
  • The company emphasizes continuous learning and growth, fostering a culture of career advancement
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n
    \r\n\t
  • We are looking for students who have a passion for learning, innovation, and creative problem-solving.
  • \r\n\t
  • An Australian or New Zealand citizen or an Australian permanent resident.
  • \r\n\t
  • An international student currently studying and residing in Australia with unrestricted Australian working rights.
  • \r\n
\r\n\r\n

Bright minds challenge us to be better. Be part of the energy solution.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Woodside Energy", - "website": "https://au.prosple.com/graduate-employers/woodside-energy", - "logo": "https://connect-assets.prosple.com/cdn/ff/SmVEmcBh5dU9HRYF5hymILFf11cVOFT_KgHRDHY4VO8/1718865999/public/styles/scale_and_crop_center_80x80/public/2024-06/logo-woodside-energy-480x480-2024.jpg" - }, - "application_url": "https://www.woodside.com/careers/graduates-and-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/woodside-energy/jobs-internships/top-up-graduate-development-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee408" - }, - "title": "Indigenous Summer Vacation Program", - "description": "

Our Indigenous Summer Vacation Program is a chance for us to get to know you, and for you to apply your growing knowledge to our business.

\r\n\r\n

Overview

\r\n\r\n
    \r\n\t
  • 12 week paid internship
  • \r\n\t
  • Extensive on-the-job training, where we pay you for real, meaningful work.
  • \r\n\t
  • Early consideration for our 2025 Graduate Development Program for those in their penultimate year of study, so you can line up a job before you complete your studies
  • \r\n\t
  • Access to a vibrant community of students and recent graduates. You'll have a dedicated current graduate as a go-to support person while you're on the program
  • \r\n\t
  • Active employee community groups for gender equality, reconciliation between Indigenous and non-Indigenous Australians, and LGBTI+ staff and allies.
  • \r\n
\r\n\r\n

Who we look for

\r\n\r\n
    \r\n\t
  • We look for innovators and passionate problem solvers from wide range of degrees. Try our new tool to match your degree with our graduate disciplines, and find the best fit for you. Woodside is an increasingly inclusive and diverse company.
  • \r\n\t
  • We encourage applications from students who identify as an Australian Aboriginal and/or Torres Strait Islander. You can be in any year of study in an undergraduate or postgraduate degree.
  • \r\n
\r\n\r\n

Be part of the energy solution through our 12 weeks paid program.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Woodside Energy", - "website": "https://au.prosple.com/graduate-employers/woodside-energy", - "logo": "https://connect-assets.prosple.com/cdn/ff/SmVEmcBh5dU9HRYF5hymILFf11cVOFT_KgHRDHY4VO8/1718865999/public/styles/scale_and_crop_center_80x80/public/2024-06/logo-woodside-energy-480x480-2024.jpg" - }, - "application_url": "https://www.woodside.com/careers/graduates-and-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/woodside-energy/jobs-internships/indigenous-summer-vacation-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee409" - }, - "title": "Graduate Program", - "description": "

Whether your passion lies with matters of priority to the Government’s policy agenda, or whether you are motivated by providing exceptional corporate and enabling functions to provide critical support to our Department and the Government operation – PM&C has a role for you.

\r\n\r\n

What We Do

\r\n\r\n

PM&C delivers influential and independent advice to improve the lives of all Australians. 

\r\n\r\n
    \r\n\t
  • We serve the Prime Minister – who is invested in all areas of policy and delivery as leader of the Australian Government.
  • \r\n\t
  • We support the Cabinet – as a focal point of government decision-making.
  • \r\n\t
  • We assist our Secretary – who has a stewardship role as Head of the Australian Public Service (APS).
  • \r\n
\r\n\r\n

PM&C will be focused on the following Australian Government priorities over the next four years:

\r\n\r\n
    \r\n\t
  1. Growing our economy and creating jobs
  2. \r\n\t
  3. Vibrant and resilient regions
  4. \r\n\t
  5. Strengthening families and communities
  6. \r\n\t
  7. Advancing Australia’s international interests and enhancing national security
  8. \r\n\t
  9. Governing well
  10. \r\n\t
  11. Preparing to respond to future critical issues
  12. \r\n
\r\n\r\n

We add value to the Australian Government’s agenda by: 

\r\n\r\n
    \r\n\t
  • Influencing what matters, promoting a whole-of-government and whole-of-nation perspective, supporting good government, and leading through partnership.
  • \r\n\t
  • Bringing experts together – from across and beyond the public service – to work on matters of priority for the Prime Minister and the Cabinet, including through taskforces.
  • \r\n\t
  • Enabling strategic policy work and over-the-horizon scanning on the big issues and prioritising capacity to contribute to the forward policy agenda in the context of day-to-day pressures.
  • \r\n
\r\n\r\n

We enable these outcomes through the delivery of exceptional and well-coordinated corporate services for PM&C and our shared corporate services clients.

\r\n\r\n

Graduates in the 2025 Program will commence on a salary of $77086 and may advance through the Graduate Broadband to the APS4 level after 6 months. Graduates may be eligible for promotion to the APS5 level  with a salary of $91909 at the conclusion of the program. 

\r\n\r\n

A role at PM&C offers: 

\r\n\r\n
    \r\n\t
  • an agile, respectful, dynamic, safe and inclusive workplace,
  • \r\n\t
  • attractive remuneration package including generous employer superannuation contributions,
  • \r\n\t
  • exciting and fulfilling work at the heart of government, contributing to improving the lives of all Australians, with career development and networking opportunities difficult to find elsewhere,
  • \r\n\t
  • the opportunity to work with strong, smart, visionary, and experienced leaders who encourage and support you to develop your interests and expertise and achieve your ambitions, and
  • \r\n\t
  • flexible working practices and an activity-based office with integrated technology to enable increased communication and collaboration, and encourage innovation.
  • \r\n\t
  • There is also a generous relocation assistance package to assist those successfully winning a role in the Graduate Program to make the move to Canberra.
  • \r\n
\r\n\r\n

The Opportunity

\r\n\r\n

Based in Canberra, PM&C's 12-month Graduate Program (the Program) offers a range of experiences supporting the Prime Minister, Cabinet, portfolio ministers and assistant ministers, our Secretary, and senior leaders to improve the lives of all Australians through high-quality support and advice to the Government.

\r\n\r\n

You will steer your career direction by choosing 3 or 4 of your own rotations over the 12-month Program. You will be very well supported to develop the foundational and specialist skills, knowledge, behaviours, and networks that you need to contribute at PM&C and in the APS to launch and progress your career.

\r\n\r\n

Our Program invests in you so you can rapidly grow your skills through immersive experiences in your rotations across PM&C’s core areas and/or priority Government task forces, exposure to experienced leaders and networking, and continued formal learning. You will be supported to push yourself out of your comfort zone and take on new challenges.

\r\n\r\n

A key benefit of the Program is that you are part of a well-connected peer group, from day one. You will be partnered with a buddy and more senior mentor to guide you, as well as work closely with your local supervisor and team in each rotation. The overall aim is to build your confidence and skills and tap into your fresh and diverse thinking so that we can deliver the best outcomes for all Australians.
\r\n
\r\nNo matter your academic background, you'll tackle meaningful challenges and bring your expertise to a range of challenges as you rotate through the Department. With opportunities for rapid growth and development, this program is the perfect platform to jumpstart your career and make a difference. For information on areas available for rotation, visit the PM&C Graduate Program.

\r\n\r\n

Our Ideal Candidate

\r\n\r\n

We seek graduates who are committed to improving the lives of all Australians. This shows up at work as being curious and driven, open to working on dynamic and emerging challenges and adapting to emerging Government priorities. 

\r\n\r\n

Our graduates are driven and committed to working collaboratively with others to share diverse ideas, problem solve, offer their unique views and insights, and follow through with outcomes.

\r\n\r\n

If this sounds like you, we welcome your application. There’s no one specific qualification or skill we are after, PM&C Graduates are diverse, with a variety of backgrounds, skills, and life experiences - just like the Australian community.

\r\n\r\n

Identified Position

\r\n\r\n

This vacancy is Identified, meaning eligible candidates are expected to address their cultural competency levels and their ability to relate to Aboriginal and Torres Strait Islander peoples throughout the assessment process because the role/s may have strong involvement with Aboriginal and Torres Strait Islander peoples. The vacancy is open to all eligible candidates and is not restricted to Aboriginal and/or Torres Strait Islander applicants. 

\r\n\r\n

You may be required to attain cultural competency, including:

\r\n\r\n
    \r\n\t
  • understanding of the issues affecting Aboriginal and/or Torres Strait Islander peoples,
  • \r\n\t
  • ability to communicate sensitively and effectively with Aboriginal and/or Torres Strait Islander peoples, and
  • \r\n\t
  • willingness and commitment to continue to develop cultural competency.
  • \r\n
\r\n\r\n

Did you know?  
\r\n  
\r\nThe 2025 PM&C Graduate program has both an affirmative measures disability and affirmative measures Indigenous recruitment process. What does this mean? Affirmative measures are vacancies designed to address the under-representation of people who identify as having a disability or as Aboriginal and/or Torres Strait Islanders in the Australian Public Service (APS).
\r\n 
\r\nEligibility 

\r\n\r\n

To be eligible for this position you must:

\r\n\r\n
    \r\n\t
  • Have completed at least a three-year undergraduate bachelor's degree obtaining a credit average within the last eight years. All degrees must be completed by 31 December 2025 and be recognised in Australia.
  • \r\n\t
  • Be able to obtain and maintain an Australian Government security clearance to a minimum of Baseline level.
  • \r\n\t
  • Be an Australian citizen by 30 June 2025. You will need to provide evidence to verify impending citizenship.
  • \r\n
\r\n\r\n

The successful candidates will be assessed through our pre-employment screening checks, such as an Australian Criminal History Check, and will be subject to a probation period unless already been employed in the APS and have already served a probation period.

\r\n\r\n

As all positions are located in Canberra, you must also be willing to relocate to participate in the program.

\r\n\r\n

Please note that applications close at 10 am on April 15

", - "company": { - "name": "Department of the Prime Minister and Cabinet (PM&C)", - "website": "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc", - "logo": "https://connect-assets.prosple.com/cdn/ff/002Krmte2Gl0icZ8vMMY-chk_XC9Fd9xAi3hOHvpLCg/1734941353/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-dep-of-prime-minister-480x480-2024.jpg" - }, - "application_url": "https://dpmc.nga.net.au/cp/?AudienceTypeCode=EXT", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40a" - }, - "title": "Summer Internship Program", - "description": "

As one of the state’s largest and most iconic organisations, we’re proud to make things better for members and better for our community. More than 805,000 members choose us to deliver peace of mind through our trusted range of motor, home and travel products and services. We’re also one of the state’s largest employers (and growing!), with more than 1400 employees working collectively with the common goal to keep our members moving.

\r\n\r\n

RAA’s Summer Internship Program:

\r\n\r\n

RAA’s Award-Winning Summer Internship Program provides university students with the opportunity to undertake a paid, eight-week internship at RAA over the summer holidays. RAA’s Summer Internship Program has recently been ranked #2 Top Intern Program in the nation, according to AAGE’s 2023 Top Intern Programs List! This program provides the following: 

\r\n\r\n
    \r\n\t
  • Gives budding professionals valuable industry experience and the opportunity to see our values and culture firsthand
  • \r\n\t
  • Weekly Lunch & Learns targeted to improve your interpersonal skills and help with the transition from campus to the corporate world
  • \r\n\t
  • Be provided with exciting and meaningful work to make a real impact to SA
  • \r\n\t
  • Work on an Innovative Project with your entire internship cohort and present this on your final day
  • \r\n\t
  • Regular mentoring sessions with a Senior Manager to help you grow in the right direction
  • \r\n\t
  • A ‘ride along’ with an RAA Patrol to see some of what we do in the SA community
  • \r\n\t
  • A fun, friendly and supportive environment that makes you excited to come to work!
  • \r\n
\r\n\r\n

Over the eight-week internship, you will work with the other interns and your team to develop your professional skills, business acumen and gain insight into a rewarding career at RAA. As a top performer, you may even find a potential pathway to employment!

\r\n\r\n

You must be currently in your final year or penultimate year of undergraduate study with a minimum credit average, have Australian working rights, and be available for the full duration of the internship in Adelaide.

\r\n\r\n

About you  

\r\n\r\n

You will be a passionate, self-motivated individual, with a positive mind-set who is eager to learn and enjoys working in a high performing culture. We are also looking for: 

\r\n\r\n
    \r\n\t
  • Currently studying a relevant undergraduate tertiary degree, due to complete in 2025 or 2026.
  • \r\n\t
  • The ability to work across our Mile End site and our office in Adelaide’s CBD
  • \r\n\t
  • Strong customer service ethos with a high level of emotional intelligence
  • \r\n\t
  • Excellent written and verbal communication skills, including presentation skills
  • \r\n\t
  • Strong sense of professionalism with the ability to demonstrate initiative
  • \r\n\t
  • High academic achievement (minimum GPA 5.0 or credit average)
  • \r\n\t
  • Strong sense of professionalism with the ability to work autonomously and in collaboration with others
  • \r\n
\r\n\r\n

About us 

\r\n\r\n
    \r\n\t
  • Friendly and inclusive culture, supporting diversity and employee wellbeing
  • \r\n\t
  • Flexible working arrangements to suit your lifestyle
  • \r\n\t
  • New, modern office located in the heart of Adelaide’s CBD
  • \r\n\t
  • A competitive salary
  • \r\n\t
  • A pathway to potential employment at RAA!
  • \r\n
\r\n\r\n

How to apply:

\r\n\r\n

Pre-register now and get notified once the application opens.

\r\n\r\n

Head to the Current Vacancies page on the RAA website and click on the role. Follow the prompts to send us a CV and a cover letter (addressed to Nicky McDermott, Senior Talent Acquisition & Early Careers Consultant) addressing the following essential criteria:

\r\n\r\n
    \r\n\t
  • Your reason for applying for RAA’s Summer Internship Program
  • \r\n\t
  • How your values align with RAA’s
  • \r\n\t
  • Tell us about something you are passionate about
  • \r\n\t
  • Confirm your availability for the internship: 2 December 2025 – 13 December 2025 & 6 January 2026 – 14 February 2026.
  • \r\n
\r\n\r\n

Please note applications may be short-listed and progressed prior to the closing date.

\r\n\r\n

We are committed to building a workplace that’s diverse and inclusive, where employees are embraced for their unique qualities and valued for their contributions. We believe a diverse and inclusive workplace brings out the best in everyone and helps us to give our members better service. 

", - "company": { - "name": "RAA", - "website": "https://au.prosple.com/graduate-employers/raa", - "logo": "https://connect-assets.prosple.com/cdn/ff/IvaglXSl1IEayDwtwUrWYx3_4M36alR_PH_7nkFzYTc/1569390399/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-RAA-240x240-2019.jpg" - }, - "application_url": "https://www.raa.com.au/about-raa/careers/current-vacancies", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/raa/jobs-internships/summer-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-30T14:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40b" - }, - "title": "Accounting/Finance Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/accountingfinance-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40c" - }, - "title": "Graduate Frontend Software Engineer, TikTok LIVE - Foundation", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • To develop user-interfaces for TikTok LIVE on PC/ Mobile Devices, including Middle platform, Operating platform, Products for users, Events with Multi-scales and etc.
  • \r\n\t
  • To develop infrastructures such as engineering solutions that will be supporting TikTok LIVE's business and productivity tools and platforms.
  • \r\n\t
  • Create the ultimate user experience and support the growth and development of the TikTok LIVE Ecosystem with high-quality design and coding.
  • \r\n\t
  • Explore and implement efficient collaboration methods to enhance the efficiency of remote and cross-regional communication and support the iteration of our business.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid front-end programming skills with experience in solving browser compatibility issues and optimizing front-end performance.
  • \r\n\t
  • Understand front-end engineering and component development, having a certain design skill set and familiar with at least one MV* framework.
  • \r\n\t
  • Having excellent service awareness, learning ability, communication and collaboration ability to use in communication and collaboration.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good to have experience in multi-end (Native/PC/Server) development.
  • \r\n\t
  • Good to have experience in participating or leading large-scale projects and open source projects.
  • \r\n\t
  • Good to have experience in writing tech articles or tech blogs.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7389550571609753865?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-frontend-software-engineer-tiktok-live-foundation-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40d" - }, - "title": "Software Development Engineer Graduate - Ads Core Services", - "description": "

Tips

\r\n\r\n
    \r\n\t
  • Study area: computer science, Information technology, Information systems, Software engineering, and related;
  • \r\n\t
  • Has graduated already, or will graduate from Nov/Dec 2024 to Feb 2025 (included);
  • \r\n\t
  • If a candidate has already started their career after graduation, 24 months of working experience is eligible, but not longer than that;
  • \r\n\t
  • Nice to have tech-related experience, both full-time and internship experience.
  • \r\n\t
  • Locations: AUS, VIC, Melbourne
  • \r\n
\r\n\r\n

DESCRIPTION

\r\n\r\n

Amazon is investing heavily in building a world class advertising business and we are responsible for defining and delivering a collection of self-service performance advertising products that drive discovery and sales. Our products are strategically important to our Retail and Marketplace businesses driving long term growth. We deliver billions of ad impressions and millions of clicks daily and are breaking fresh ground to create world-class products. We are highly motivated, collaborative and fun-loving with an entrepreneurial spirit and bias for action. With a broad mandate to experiment and innovate, we are growing at an unprecedented rate with a seemingly endless range of new opportunities.
\r\n
\r\nAdvertising Core Services (ACS) organization owns services supporting many functions across the advertising lifecycle like Accounts, Permissions, Campaign Management, Billing, Supply and Traffic Quality, Analytics and Availability and Quality Assurance etc. Our top focus areas are to innovate on behalf of our customers, support partner business launches and improve our engineering systems for feature velocity, availability, performance and scale. This role will see you collaborate with a large number of teams across WW Advertising to drive key initiatives to improve resilience of advertising systems.
\r\n
\r\nYou'll become part of a highly motivated team of talented multi-functional builders, who can collaborate with product managers, technical specialists, and principals across the company. You should be comfortable with a degree of ambiguity that’s higher than most projects and relish the idea of solving problems that, haven’t been solved at scale before - anywhere. You will encounter challenging, novel situations every day and given the size of this initiative, you’ll have the opportunity to work with multiple technical teams at Amazon in different locations. We’re looking for self-motivated engineers who are passionate about innovating on behalf of customers, can demonstrate a high degree of teamwork, and want to have fun while they make history and collaborate on beautiful products.
\r\n
\r\nKey job responsibilities
\r\nYou will own the development of software end to end, from working with stakeholders on requirements through to owning the ongoing operations of the software that you build at scale. You will work with a great, global team to tackle new challenges. You will have the opportunity to experiment and learn from your successes and your failures.
\r\n
\r\nApply today to join our incredible team building software for our customers around the world. Have fun and build great software!

\r\n\r\n

BASIC QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • You must be in the final semester/ trimester of a university undergraduate or postgraduate degree or have completed your university studies within the past 24 months of applying and able to commence a role from Dec 2024 to Feb 2025.
  • \r\n\t
  • Enrolled/Completed a degree in Computer Science, Computer Engineering, Information Technology at university or relevant tertiary institution
  • \r\n\t
  • Strong, object-oriented design and coding skills (C/C++ and/or Java preferably on a UNIX or Linux platform)
  • \r\n\t
  • Experience with distributed (multi-tiered) systems, algorithms, and relational databases
  • \r\n\t
  • Experience in optimization mathematics (linear programming, nonlinear optimization)
  • \r\n\t
  • Ability to effectively articulate technical challenges and solutions
  • \r\n\t
  • Deal well with ambiguous/undefined problems; ability to think abstractly
  • \r\n
\r\n\r\n

PREFERRED QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Experience developing in a Linux environment
  • \r\n\t
  • Experience developing software on Amazon Web Services (AWS) platforms
  • \r\n
", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://www.amazon.jobs/en/jobs/2852628/software-development-graduate-2025-melbourne-ads-core-services", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/software-development-engineer-graduate-ads-core-services" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-29T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40e" - }, - "title": "Information Manager", - "description": "

WheelEasy is a unique charity; it provides the mobility-impaired, together with family and friends, the same opportunities as everyone to enjoy leisure time together; and in so doing, it promotes and advances their basic human rights and freedoms.
\r\nIt does one thing only; it runs an access information web-app; a TripAdvisor for access; a genuine one-stop shop, consolidating accurate, current access info; on everywhere anyone would expect to go, and everything anyone would expect to do on a day out or trip away.
\r\nIn the 21st century, it just isn't fair that some people can't get places that most of us wouldn't give a second thought to being able to access. You can help change that.

\r\n\r\n

Job Description:

\r\n\r\n

As a WheelEasy intern, you will actively contribute to a project aimed at assessing and enhancing the accessibility of places, in both the public and private arenas, in specific locations all over Australia.

\r\n\r\n

Your role will involve building and expanding the WheelEasy web-app by adding accessibility information in a specific city (we are currently focusing on Canberra).
\r\nIn this position, you will gather accessibility information, and relevant photographs, that you find online, on individual places, assess the information for relevance, and then create draft listings for those places to submit to the place owners.
\r\nAdditionally, because WheelEasy is as much about providing ideas about activities as it is about individual places, you will be involved in the gathering of info about things the whole family or group can do together, for a day out or on a trip.

\r\n\r\n

Why Join Us

\r\n\r\n

WheelEasy offers students and altruistic volunteers a chance to help people with mobility impairments get out and enjoy life (students are encouraged to apply and will be guided through the process to complete their university placements with us).
\r\nThis is a home/office-based role where you can contribute to a worthwhile cause with no specific training requirements. What we do require most is an empathy and understanding that everyone deserves to be included in life.
\r\nAlthough all the work is done remotely, we want you to be part of our team through more detailed briefings and regular check-ins on Zoom.
\r\nAlthough the position is unpaid, there are opportunities to join the team on business trips, with all costs covered. You may also have the chance to meet important figures at conferences and general meetings.

", - "company": { - "name": "WheelEasy", - "website": "https://au.prosple.com/graduate-employers/wheeleasy", - "logo": "https://connect-assets.prosple.com/cdn/ff/H6Bz8TpNQINYsZz0sjLR6b9n3XEYIWm8gK3mHc6Hnms/1722594240/public/styles/scale_and_crop_center_80x80/public/2024-08/logo-wheeleasy-120x120-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/wheeleasy/jobs-internships/information-manager" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "VISA_SPONSORED" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee40f" - }, - "title": "Research Scientist Intern, PhD", - "description": "

Research happens across Google everyday, in many different teams. Our research has already impacted user-facing services across Google including Search, Maps, and Google Now, and is central to the success of Google Cloud and our computing, storage, and networking infrastructure.

\r\n\r\n

Research Interns work with Research Scientists and Software Engineers to discover, invent, and build at scale. Ideas may come from internal projects as well as from collaborations with research programs at partner universities and technical institutes. From creating experiments and prototyping implementations to designing architectures, Research Interns work on challenges in artificial intelligence, machine perception, data mining, machine learning, natural language understanding, privacy, computer architecture, networking, operating systems, storage and data management, and more. You are also expected to contribute to the wider research community by publishing papers.

", - "company": { - "name": "Google AU", - "website": "https://au.prosple.com/graduate-employers/google-au", - "logo": "https://connect-assets.prosple.com/cdn/ff/7e-DvdKyAq7vvrkzobK5e6nJtVss9eDEHBghFgK4DLo/1569257436/public/styles/scale_and_crop_center_80x80/public/2019-06/Google_Logo_120x120.png" - }, - "application_url": "https://www.google.com/about/careers/applications/jobs/results/98370832373293766-software-engineering-intern-summer-2024?src=Online%2FGoogle%20Website%2FByF&utm_source=Online%20&utm_medium=careers_site%20&utm_campaign=ByF&distance=50&employment_type=INTERN&location=Australia&location=New%20Zealand&company=Fitbit&company=Google&utm_source=partnership&utm_medium=website&utm_campaign=anz-campus-techcareersession-q1-2024&src=Online/TOPs/careersonair-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/google-australia/jobs-internships/research-scientist-intern-phd-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-05-04T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee410" - }, - "title": "Cyber Summer Vacation Program", - "description": "

McGrathNicol is a specialist Advisory and Restructuring firm, helping businesses improve performance, manage risk, and achieve stability and growth. 

\r\n\r\n

Our Cyber team specialise in working with clients to proactively manage technology and information security risks. We help set governance strategies, design frameworks and respond to time critical cyber and privacy related matters. During your time with us, you will be exposed to all aspects of our cyber services such as:

\r\n\r\n

(1) Cyber Risk – Providing expert advice that extends beyond the theory, and working to roadmap, design and deliver practical initiatives that build ongoing security capability in organisations;

\r\n\r\n

(2) Digital Forensic – Conducting forensic imaging of computers, mobiles and technology to preserve, collect and analyse as part of a detailed forensic process for disputes and investigations;

\r\n\r\n

(3) eDiscovery – Handling critical and sensitive data in legal proceedings, including data collection, preservation and processing large file sets;

\r\n\r\n

(4) Incident Handling and Response – Experience incident response and crisis management in high paced environments, to effectively resolve cyber incidents and implement improvements for the future; and

\r\n\r\n

(5) Information Security – Challenging your technical and written skills in penetration testing and vulnerability management, security risk assessments and developing fundamental security initiatives to clients.

\r\n\r\n

What we offer you

\r\n\r\n
    \r\n\t
  • Our Summer Vacation Program will provide you with real world commercial experience across a variety of different projects and industries.
  • \r\n\t
  • The program commences with a two-day national induction intensive in our Sydney office where you will have the opportunity to meet and learn from a range of McGrathNicol experts through structured sessions, networking and social events.
  • \r\n\t
  • We offer a unique opportunity to shadow senior staff and Partners, learning and gaining valuable insights from some of the best in the industry. You will also have a Buddy, Time Manager, Counselling Manager and Counselling Partner responsible for providing you with a variety of interesting work, as a well as general support and guidance throughout your placement.
  • \r\n\t
  • High performing Vacationers may be offered a permanent full-time Graduate position.
  • \r\n
\r\n\r\n

Who you are

\r\n\r\n
    \r\n\t
  • an Australian / New Zealand Citizen or Australian Permanent Resident at the time of submitting your application (except for our Canberra office, for which you must be an Australian Citizen);
  • \r\n\t
  • in your penultimate year of a STEM or Information Technology / Cyber related degree; and
  • \r\n\t
  • available to commence work for a four-week period in either November 2025 or January 2026, or an eight-week period commencing in November 2025.
  • \r\n
\r\n\r\n

Interested? 

\r\n\r\n

Pre-register now to get notified when the opportunity is open. If you would like further information, please contact our national HR team.

", - "company": { - "name": "McGrathNicol", - "website": "https://au.prosple.com/graduate-employers/mcgrathnicol", - "logo": "https://connect-assets.prosple.com/cdn/ff/qkRtYvrlqcH29nFwt30_QSZ_GTUAWYfH6Y_knAHlTBg/1565765303/public/styles/scale_and_crop_center_80x80/public/2019-08/Logo-McGrathNicol-240x240-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mcgrathnicol/jobs-internships/cyber-summer-vacation-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-31T01:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee411" - }, - "title": "Data & Analytics Practice", - "description": "Join our Graduate Programme in our Software Engineering Practice and launch an exciting, fast-paced career in IT transformation.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/840/hong-kong--data--analytics-practice.html?utm_source=gradconnection&utm_medium=profile&utm_campaign=start_date_push&utm_content=hongkong", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-data-analytics-practice-7" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee412" - }, - "title": "Associate (Graduate)", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Conduct research and data analysis to solve business problems.
  • \r\n\t
  • Collaborate with teams in Melbourne and Sydney.
  • \r\n\t
  • Engage with senior clients on transformation projects.
  • \r\n\t
  • Develop valuation models and market insights.
  • \r\n\t
  • Work across diverse industries, including energy, healthcare, and technology.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • A strong sense of intellectual curiosity and problem-solving skills.
  • \r\n\t
  • Logical, structured thinking with creativity.
  • \r\n\t
  • Effective communication and collaboration abilities.
  • \r\n\t
  • Leadership and teamwork experience.
  • \r\n\t
  • Adaptability to change and comfort with ambiguity.
  • \r\n\t
  • Integrity and a sense of fun.
  • \r\n\t
  • Australian/New Zealand citizenship or Australian Permanent Residency is required.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary with opportunities for bonuses. Enjoy a vibrant work culture with various employee groups and social activities.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from professional development programs, including monthly Back to the Office Day for skill enhancement and learning.

\r\n\r\n

Career progression

\r\n\r\n

Expect growth opportunities, managing teams within a few years, and exposure to diverse strategic challenges and industries.

\r\n\r\n

How to apply

\r\n\r\n

Submit a 1-2 page resume, a one-page cover letter addressed to the Talent Team, and academic transcripts for all university degrees.

\r\n\r\n

Report this job

", - "company": { - "name": "L.E.K. Consulting", - "website": "https://au.prosple.com/graduate-employers/lek-consulting", - "logo": "https://connect-assets.prosple.com/cdn/ff/ZTJ7vw5PTcP2ue0_PLlSd2pfGC8LFCPEWB4yjONVGQM/1645510203/public/styles/scale_and_crop_center_80x80/public/2022-02/logo-lek-consulting-480x480-2022.png" - }, - "application_url": "https://lek.tal.net/vx/lang-en-GB/mobile-0/appcentre-4/brand-2/xf-077e0d21dee6/candidate/so/pm/1/pl/10/opp/3633-Associate-Graduate-2026/en-GB", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/lek-consulting/jobs-internships/associate-graduate-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-09T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee413" - }, - "title": "ITE1/ITE2 Cyber Security Engineer", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

ASIO’s Information Security Directorate is responsible for the secure operation of ASIO’s ICT systems. The team provides advice and guidance to protect the confidentiality, integrity and availability of systems, applications and data. The team also coordinates security uplift programs and manages security applications across ICT systems to ensure our technical foundations are stable, secure, and Essential Eight compliant.

\r\n\r\n

As part of the Information Security team, you will be responsible for helping to ensure security is embedded in new projects and capabilities, uplift activities, and ongoing system sustainment. It is a critical role in delivering on a range of strategic initiatives to support business and mission functions.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Cyber Security Engineer in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Administer and support security applications, including anti-malware and vulnerability scanning tools, to ensure optimal performance and effectiveness.
  • \r\n\t
  • Evaluate and address anomalies in data transfers to identify potential security threats and protect the integrity of ICT systems.
  • \r\n\t
  • Facilitate public key infrastructure (PKI) and digital certificate management to enable secure identity and access management.
  • \r\n\t
  • Help foster a “secure by design” culture by collaborating with technical teams to integrate security best practice into their workflows and solutions.
  • \r\n\t
  • Assist in integrating security into the software development lifecycle, automating security testing and vulnerability management in the CI/CD pipeline.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes:

\r\n\r\n
    \r\n\t
  • High level communication and interpersonal skills, and the ability to liaise effectively with a range of stakeholders.
  • \r\n\t
  • Strong written communication skills and the ability to produce high quality security documentation.
  • \r\n\t
  • An ability to prioritise and manage multiple competing tasks, and exercising sound judgement.
  • \r\n\t
  • Technical proficiency and a good understanding of cyber security and contemporary technology (e.g. Cloud, DevSecOps).
  • \r\n\t
  • An aptitude to learn requisite skills through on the job training.
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available.)
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra and Sydney. Relocation assistance is provided to successful candidates where required. 

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 500 words using examples to demonstrate how your skills and experience meet the requirements of the role.
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 27 January 2025, 5:00pm AEDT

\r\n\r\n

No extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Australian Workplace Equality Index (AWEI)

\r\n\r\n

In 2024, ASIO achieved the AWEI Gold Standard, recognising ASIO’s inclusion work and positive culture. ASIO was one of only 7 public sector employers, and the first Australian intelligence agency, to achieve this status.

\r\n\r\n

The ASIO Diversity and Inclusion Strategy reflects ASIO’s commitment and recognises the benefits of being a diverse and inclusive organisation. For further information about ASIO’s Diversity and Inclusion networks, please visit: www.asio.gov.au/about/diversity-and-inclusion.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1ite2-cyber-security-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee414" - }, - "title": "Corporate & Institutional Bank Graduate Programs", - "description": "

Our Organisation

\r\n\r\n

As Australia’s first bank and oldest company, the Westpac Group—which started life as the Bank of New South Wales in 1817—represents a central, unbroken thread that runs through Australian history. It has survived and thrived because it has been guided by the same purpose over the years: to provide stability, support customers and communities, and help grow the economy. 

\r\n\r\n

Westpac Institutional Bank (WIB) delivers a broad range of financial services to commercial, corporate, institutional and government customers operating in, and with connections to, Australia and New Zealand.  

\r\n\r\n

When you join Westpac Group, you’ll be empowered to make a difference, speak your truth and discover what success means to you. But best of all you’ll be joining a whole organisation of people who love helping others find their success. 

\r\n\r\n

Our Grad Program

\r\n\r\n

We’re looking to fill our programs with original thinkers and innovators from all degrees of study.  Challenging and rewarding – our programs will get your career off to a flying start.

\r\n\r\n

Eligibility

\r\n\r\n

You must be an Australian or New Zealand Citizen OR an Australian Permanent Resident, AND be in your final year of study for a university degree OR completed an undergraduate or postgraduate degree no more than 3 years ago.

\r\n\r\n

You’ll need to be available to start with us as a permanent employee in February 2026.  

\r\n\r\n

Our Corporate & Institutional Banking Program  

\r\n\r\n

CIB sits within Westpac’s Institutional Bank and focuses on understanding the needs of our institutional and government clients to support them through their lifecycle, whether that be to provide financing and solutions for growth opportunities, navigating times of change, or simply supporting their financial well-being and day-to-day needs.

\r\n\r\n

We also aim to collaborate and partner with our clients to help solve global challenges, including respecting human rights and supporting the transition to a climate-resilient future by structuring loans so they are linked to achieving environmental, social and corporate governance (ESG) outcomes.

\r\n\r\n

CIB provides industry-specific expertise across general corporates, energy, infrastructure, resources, financial institutions, health, government and real estate. By joining us, you'll work with dedicated teams to gain a deep understanding of our client's businesses and the needs and challenges they face. We'll also introduce you to the financial products that help us look after the specialised needs of our customers including general corporate, asset purchases, trade and M&A funding. 

\r\n\r\n

Dedicated training is provided to learn the key skills required to excel as a credit analyst and to provide an opportunity to meet the various teams within CIB and do a deeper dive into each area.   

\r\n\r\n

Recognised as a leader in the field, you'll work alongside our talented people based in Australia, New Zealand, Asia, the UK and the US.

\r\n\r\n

This is a 12-month program with 3-4 rotations.   

\r\n\r\n

Rotation areas could include a selection of Customer Insights & Analytics (CI&A) and Relationship Coverage across four possible industries including (i) Consumer & Industrials; (ii) Property; (iii) Energy Infrastructure & Resources; and (iv) Financial Institutions, Public Sector and Health. Other possible rotations include Product teams (Loans & Syndications, Structured Finance, Trade Finance, Asset Finance, Sustainable Finance, Project Finance, Acquisition & Leverage Finance) and COO functions such as Credit Portfolio Management, Corporate Loans and Business Controls.

\r\n\r\n

Future career opportunities within CIB could be in the following areas: Customer Insights & Analytics, Relationship Coverage, Debt Products, the Chief Operating Office and Business Controls & Monitoring. 

\r\n\r\n

Students from all disciplines are welcome to apply for the CIB program. At Westpac Group, we recognise that a finance/analytical background is preferred but not necessary to join this team. If you have the intellectual curiosity and drive to learn, we have the training to foster and develop the skills you need. 

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://ebuu.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/46575", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/corporate-institutional-bank-graduate-programs" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-02T12:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee415" - }, - "title": "Digital Strategist", - "description": "

Businesses that partner with Google come in all shapes, sizes and market caps, and no one Google advertising solution works for all.

\r\n\r\n

Since this role is currently not accepting applications, please create a Career Profile with Google by clicking on Pre-register to stay in the know for future opportunities. Or, you can find all of our currently open roles for students and new graduates in AUNZ on our website.

\r\n\r\n

Your knowledge of online media combined with your communication skills and analytical abilities shapes how new and existing businesses grow. 

\r\n\r\n

Using your relationship-building skills, you provide Google-caliber client service, research and market analysis. 

\r\n\r\n

You anticipate how decisions are made, persistently explore and uncover the business needs of Google's key clients and understand how our range of product offerings can grow their business. Working with them, you set the vision and the strategy for how their advertising can reach thousands of users.

\r\n\r\n

As part of the team, you will have the opportunity to work with, shape, and grow businesses. Our mission is to educate, enable, and empower businesses by acting as experts and helping them navigate the digital world.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Manage a portfolio of businesses by understanding growth drivers, identifying opportunities for growth, managing risks, and building quarterly plans for achievements.
  • \r\n\t
  • Drive customer growth by delivering outstanding customer sales experience and achieving customer business and marketing objectives.
  • \r\n\t
  • Own the business process by driving customer outreach, business pitches, solution implementation, and performance evaluation.
  • \r\n\t
  • Work toward quarterly business and product growth goals.
  • \r\n
\r\n\r\n

Minimum Qualifications

\r\n\r\n
    \r\n\t
  • Bachelor's degree or equivalent practical experience.
  • \r\n\t
  • Experience in advertising sales and media account management.
  • \r\n
\r\n\r\n

Preferred Qualifications

\r\n\r\n
    \r\n\t
  • Sales experience in a technology, advertising, media sales, and/or internet environment.
  • \r\n\t
  • Media experience across a variety of platforms (e.g., TV, Radio, Print, Sponsorship, etc.).
  • \r\n\t
  • Experience managing multiple accounts simultaneously while paying attention to detail.
  • \r\n\t
  • Ability to grow in a rapidly changing environment and multitask.
  • \r\n\t
  • Excellent problem-solving, creative thinking, and analytical skills.
  • \r\n
\r\n\r\n

To view our full range of Benefits, head to https://www.google.com/about/careers/applications/benefits/.

", - "company": { - "name": "Google AU", - "website": "https://au.prosple.com/graduate-employers/google-au", - "logo": "https://connect-assets.prosple.com/cdn/ff/7e-DvdKyAq7vvrkzobK5e6nJtVss9eDEHBghFgK4DLo/1569257436/public/styles/scale_and_crop_center_80x80/public/2019-06/Google_Logo_120x120.png" - }, - "application_url": "https://www.google.com/about/careers/applications/jobs/results/106530801547387590-digital-strategist-scaled-google-customer-solutions", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/google-au/jobs-internships/digital-strategist" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-01T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee416" - }, - "title": "Information Technology Intern Program", - "description": "

About the program

\r\n\r\n

The Intern program provides students with 12 weeks of paid employment, giving you the opportunity to participate in the industry-leading oil and gas projects while acquiring practical skills relevant to your field of study.

\r\n\r\n

We also provide education and training during the program to help cultivate your professional skills within a diverse, inclusive, supportive, and collaborative workplace.

\r\n\r\n

About the role

\r\n\r\n

During the Intern Program, you will work across Information Technology teams to harness the benefits of information and digital technologies to drive competitive advantage. You can also expect cross-functional opportunities that increase your business knowledge as you collaborate to deliver results.

\r\n\r\n

This role will be based in Chevron’s new building at One The Esplanade. 

\r\n\r\n

Eligibility / Requirements

\r\n\r\n

For Information Technology, we encourage applications from motivated and talented university students studying either computer science, software engineering, data science, data analytics, data engineering or cyber security, with a keen interest in the oil and gas industry and advancing the cleaner energy solutions needed for a lower carbon future.

\r\n\r\n

To be eligible for the Chevron Intern Program applicants must be:

\r\n\r\n
    \r\n\t
  • Eligible to legally work and live in Australia permanently.
  • \r\n\t
  • In their penultimate or final year of an undergraduate degree or postgraduates.
  • \r\n\t
  • Available for the specified duration of employment from November 2025 until February 2026.
  • \r\n\t
  • Able to communicate effectively, have strong analytical skills and a focus on teamwork and collaboration.
  • \r\n\t
  • Committed to Chevron’s values of diversity and inclusion, integrity and trust, high performance, partnership and protecting people and the environment.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n
    \r\n\t
  • Participate in world-leading energy projects, advance your professional development and begin your career within an inclusive, collaborative and high-performing workplace.
  • \r\n\t
  • A commitment to supporting work-life balance with flexible working arrangements, optional hybrid working model including remote and in-office working, and a compressed working week (nine-day fortnight) where applicable.
  • \r\n\t
  • Direct industry experience, gaining exposure through working across Chevron Australia’s world class energy production facilities.
  • \r\n\t
  • Opportunities to attend multiple industry learning events to further your engineering and energy industry knowledge.
  • \r\n\t
  • A competitive remuneration package.
  • \r\n\t
  • Health and wellness offerings including fitness classes, gym access and mental health support.
  • \r\n
\r\n\r\n

Following completion of the 12-week intern program, students who consistently perform above expectations may be considered for full-time graduate positions, where roles are available.

\r\n\r\n

How to register 

\r\n\r\n

Please ensure you attach your current resume and a copy of your academic transcript/statement of results to date (unofficial transcripts are acceptable) and click Pre-register.

\r\n\r\n

Application dates

\r\n\r\n

Applications for Chevron Australia’s 2025/26 Intern Program open in April 2025 and close in June 2025.

\r\n\r\n

We reserve the right to amend or withdraw this posting prior to the advertised closing date.

\r\n\r\n

About us

\r\n\r\n

Chevron is one of the world's leading integrated energy companies and, through its Australian subsidiaries, has been present in Australia for over 70 years.

\r\n\r\n

Headquartered in Perth, Western Australia, Chevron Australia is the focal point of some of Chevron’s most exciting projects globally and our employment opportunities will put you on the frontline to help deliver crucial new energy to the world.

\r\n\r\n

With the ingenuity and commitment of thousands of workers, Chevron Australia operates the Gorgon and Wheatstone natural gas facilities as well as the world’s largest carbon capture and storage system at our Gorgon facility and Australia’s largest onshore oilfield on Barrow Island, Western Australia.

\r\n\r\n

We also manage an equal one-sixth interest in the North West Shelf Venture and continue to be a significant investor in exploration.

\r\n\r\n

Chevron Australia Downstream delivers quality fuel products and services across Australia, operating or supplying a network of more than 360 retail locations, primarily under the Puma & Caltex brands, and an extensive 24-hour hour diesel stop network, as well as depots and seaboard terminals.

\r\n\r\n

Our commitment to sustainability has never been stronger. We believe the future of energy is lower-carbon, and we are using our unique capabilities, assets, and expertise to deliver progress toward the global net-zero ambitions of the Paris Agreement. Within Chevron, our New Energies team is focused on areas where we believe we can build competitive advantages including in hydrogen, carbon capture and storage and offsets.

\r\n\r\n

Together, we are creating enduring benefits that will help shape our economic future and spearhead Australia’s growing importance as a global energy supplier.

\r\n\r\n

Energy Transition 

\r\n\r\n

Chevron believes we all have a stake in a reliable and affordable energy system and a lower carbon future. This belief drives Chevron's lower carbon ambitions and the actions we take to advance them. At Chevron we’re leveraging the strengths of our talented people and technologies to safely deliver lower carbon energy to a growing world. We aim to lead in lower carbon intensity oil, products and natural gas, and advance new solutions to reduce carbon emissions of major industries. In addition to this, here at Chevron we’re growing our capabilities in renewable fuels, carbon capture, and offsets, hydrogen and other emerging technologies.

\r\n\r\n

Diversity, Equity & Inclusion statement

\r\n\r\n

Chevron Australia values inclusivity and promotes a workplace that actively seeks to welcome contributions from all people. We encourage people of all abilities, Aboriginal and Torres Strait Islanders, diverse cultures, and backgrounds, LGBTIQ+ identities, and all age groups to register their interest.

", - "company": { - "name": "Chevron Australia", - "website": "https://au.prosple.com/graduate-employers/chevron-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/gxYEavr0xTYGb4pwR3F2qRYxOEA0y02v-_Da_XOwsws/1596294991/public/styles/scale_and_crop_center_80x80/public/2020-07/logo-chevron-220%C3%97220-2020.png" - }, - "application_url": "https://australia.chevron.com/work-with-us", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/chevron-australia/jobs-internships/information-technology-intern-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-27T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee417" - }, - "title": "NTU Management Associate Programme 2025", - "description": "NTU's Management Associate Programme will be your gateway towards a world of opportunities in higher education management. NTU MAP offers a wide range of non-academic roles such as IT, Finance, Student Services, Corporate Communications, Events Planning and many others.", - "company": { - "name": "Nanyang Technological University", - "website": "https://au.gradconnection.com/employers/nanyang-technological-university-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/a74c70c9-5c92-4bf6-b6ef-1df94bba39eb-NTU_Logo_Resized_512px.png" - }, - "application_url": "https://ntu.wd3.myworkdayjobs.com/Careers/job/NTU-Main-Campus-Singapore/Management-Associate-Programme_R00019359", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/nanyang-technological-university-sg/jobs/nanyang-technological-university-ntu-management-associate-programme-2025" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee418" - }, - "title": "IBL/Intern Program: Customer Services Reporting", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Develop insightful reports to support business decision-making
  • \r\n\t
  • Conduct data analysis for the Customer Services Department
  • \r\n\t
  • Pioneer reporting solutions based on business needs and briefs
  • \r\n\t
  • Collaborate with the Customer Services team, reporting to the Part Sales Reporting Manager
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A self-motivated and proactive student passionate about gaining work experience
  • \r\n\t
  • An effective communicator who can build rapport and collaborate with others
  • \r\n\t
  • An undergraduate in their second year or with at least one year left in a Business-related degree as of January 2025
  • \r\n\t
  • Experienced in or has completed units in Data Analytics, Business Analytics, or Data Science
  • \r\n
\r\n\r\n

Compensation & Benefits

\r\n\r\n

The role offers generous employee benefits, including discounted car leasing and purchase options, on-site parking, employee assistance programs, and more. A flexible and progressive workplace culture is prioritized.

\r\n\r\n

Training & Development

\r\n\r\n

The program provides enriching professional work experience, development, and training opportunities, enhancing your competitive advantage in the job market.

\r\n\r\n

Career progression

\r\n\r\n

Potential opportunities to continue with Mercedes-Benz after the program, with growth expected in various departments and roles within the company.

\r\n\r\n

How to Apply

\r\n\r\n

To apply, submit your resume, cover letter, and academic transcript (unofficial is acceptable) by Monday, January 16th. Ensure your application clearly states any relevant experience in Data Analytics, Business Analytics, or Data Science. Applicants must have a valid working visa for Australia/New Zealand for the contract duration.

", - "company": { - "name": "Mercedes-Benz Australia", - "website": "https://au.prosple.com/graduate-employers/mercedes-benz-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/LAh0RcOLPMGWmolxjeGPsf-dNb6tF_kRJ95pNLkIE7Q/1569842714/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-Mercedes-Benz-Australia-120x120-2019.jpg" - }, - "application_url": "https://jobs.mercedes-benz.com/en/2025-iblintern-program-customer-services-reporting-152750-MER0003HAZ", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mercedes-benz-australia/jobs-internships/iblintern-program-customer-services-reporting" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee419" - }, - "title": "Graduate Backend Software Engineer, Trust and Safety Engineering", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

The Trust and Safety(TnS) engineering team is responsible for protecting our users from harmful content and abusive behaviors. With the continuous efforts of our trust and safety engineering team, TikTok can provide the best user experience and bring joy to everyone in the world. Our team is responsible for achieving goals by building content moderation process systems, rule engine, strategy systems, feature engine, human moderation platforms, risk insight systems and all kinds of supportive platforms across TnS organization.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Build a highly scalable, efficient and robust trust, and safety platform and tools;
  • \r\n\t
  • Understand product objectives to develop an easy-to-use platform that aligns with customers' needs;
  • \r\n\t
  • Collaborate with trust and safety specialists, experts, and machine learning engineers;
  • \r\n\t
  • Improve system design and architecture to ensure high stability and performance of the services;
  • \r\n\t
  • Work with Trust and Safety teams to protect TikTok globally.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline;
  • \r\n\t
  • Proficiency in designing data structures, building algorithms, and at least one programming language: Go/Python/PHP/C++/C/Java;
  • \r\n\t
  • Passionate and experience in challenging problem-solving techniques with related internet products;
  • \r\n\t
  • Curiosity towards new technologies and entrepreneurship, excellent communication and teamwork skills and high levels of creativity and quick problem-solving capabilities.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7329812111635679526?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer-trust-and-safety-engineering-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41a" - }, - "title": "Investment Banking Summer Internship", - "description": "

At JPMorgan Chase, we’re creating positive change for the diverse communities we serve. We do this by championing your innovative ideas through a supportive culture that helps you every step of the way as you build your career. If you’re passionate, curious, and ready to make an impact, we’re looking for you. 

\r\n\r\n

As a Summer Analyst within the Corporate & Investment Banking program, you will spend your summer working alongside the top professionals in the business to come up with solutions that shape the global economy. Our bankers are focused on long-term relationships and developing strategies that help our government, institutional and corporate clients grow and innovate. We do this by providing sound advice, helping them access funds and making connections, all while helping clients manage the many risks in today’s complex environment. Working here means joining a collaborative, supportive team. We want your diverse perspective to help us innovate the next wave of products and solutions for our clients. We’ll give you what you need to succeed from training to mentoring from senior leaders to projects that engage all your skills. Our nine-week program kicks off with three days of orientation and training, giving you technical and practical skills. Top performers may receive a full-time (Graduate) job offer for 2026 at the end of the summer.

\r\n\r\n

Our industry and product teams work together to develop and execute strategies that help our clients grow and achieve their objectives in today’s global markets. Our industry and product teams include Equity Capital Markets, Debt Capital Markets, Mergers and Acquisitions, General Industrials, Real Estate, Natural Resources, Financial Institutions, Financial Sponsors and Infrastructure and Utilities. 

\r\n\r\n

Job responsibilities 

\r\n\r\n
    \r\n\t
  • Analyze market data, build detailed financial models, and prepare client presentations for mergers and acquisitions, leveraged buyouts and capital markets advisory
  • \r\n\t
  • Manage client transactions from pitch to close under the guidance of our senior leaders
  • \r\n\t
  • Develop innovative and creative ways to solve complex, real-world business challenges
  • \r\n\t
  • Learn how we help clients and communities grow, no matter their needs
  • \r\n\t
  • Build your professional network with mentors, senior executives, and others
  • \r\n
\r\n\r\n

 Required qualifications, capabilities, and skills

\r\n\r\n
    \r\n\t
  • Excellent analytical, quantitative, and interpretative skills
  • \r\n\t
  • Ability to thrive in a dynamic, collaborative work environment
  • \r\n\t
  • Being adaptable, flexible, and resilient
  • \r\n\t
  • Knowing your way around Excel, PowerPoint, and Word
  • \r\n\t
  • Fluent in English
  • \r\n\t
  • Expected graduation date of January 2026 – December 2026 from Bachelor’s or Master’s program from Universities located in Australia
  • \r\n\t
  • Must be Australian Citizen or Permanent Resident at time of application
  • \r\n
\r\n\r\n

 Preferred qualifications, capabilities, and skills

\r\n\r\n
    \r\n\t
  • If you are in a Master’s Program, it must be completed within 2 years of your Bachelor’s degree
  • \r\n
\r\n\r\n

 Locations you may join:

\r\n\r\n
    \r\n\t
  • Sydney
  • \r\n\t
  • Melbourne
  • \r\n
\r\n\r\n

 To be eligible in this program:

\r\n\r\n
    \r\n\t
  • You must be enrolled in a degree at a University located in Australia
  • \r\n\t
  • You must be an Australian Citizen or Permanent Resident at time of application
  • \r\n
\r\n\r\n

 What’s next?

\r\n\r\n

Help us learn about you by submitting a complete and thoughtful application, which includes your resume. Your application and resume is a way for us to initially get to know you, so it’s important to complete all relevant application questions so we have as much information about you as possible.  

\r\n\r\n

After you confirm your application, we will review it to determine whether you meet certain required qualifications.  

\r\n\r\n

If progressed, you will receive an email invitation to complete a video interview, powered by HireVue. This is your opportunity to further bring your resume to life and showcase your experience for our recruiting team and hiring managers.

\r\n\r\n

Your application will not be considered for further review until you have completed HireVue. We strongly encourage that you apply and complete all required elements as soon as possible, since programs will close as positions are filled. 

\r\n\r\n

JPMorgan Chase is committed to creating an inclusive work environment that respects all people for their unique skills, backgrounds, and professional experiences. We strive to hire qualified, diverse candidates, and we will provide reasonable accommodations for known disabilities. 

", - "company": { - "name": "J.P. Morgan Australia", - "website": "https://au.prosple.com/graduate-employers/jp-morgan-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/oal-aC_o0FJ-jK4Iy1j__u-59DPHKh9-NMRTQTT2afA/1561669436/public/styles/scale_and_crop_center_80x80/public/2019-06/JPMorgan_Logo_120x120.png" - }, - "application_url": "https://jpmc.fa.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1001/job/210513566/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jp-morgan-australia/jobs-internships/investment-banking-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41b" - }, - "title": "Summer Analyst Program", - "description": "

The Goldman Sachs Group, Inc. is a leading global investment banking, securities, and investment management firm that provides a wide range of financial services to a substantial and diversified client base that includes corporations, financial institutions, governments, and individuals. Founded in 1869, the firm is headquartered in New York and maintains offices in all major financial centres around the world. 

\r\n\r\n

As a summer intern, you can expect structured and on-the-job training, learning from experts in their field, and meaningful work that contributes directly to client solutions. Further, each intern is allocated a buddy to support their development during the 10-week program. You will have the opportunity to participate in our Community TeamWorks (https://www.goldmansachs.com/citizenship/community-teamworks/) program. There will be opportunities for informal networking, which will aid you to develop your personal and professional networks. 

\r\n\r\n

Summer Analyst roles are available in the following divisions

\r\n\r\n
    \r\n\t
  • Corporate Advisory
  • \r\n\t
  • Global Investment Research (Melbourne only)
  • \r\n\t
  • Wealth Management (Melbourne only)
  • \r\n
\r\n\r\n

Who We Are Looking For

\r\n\r\n

Goldman Sachs recruits highly motivated interns who can demonstrate outstanding achievements in academic and extracurricular activities. Typically we look for people who can display the following personal qualities and attributes: 

\r\n\r\n
    \r\n\t
  • Communication & Interpersonal Skills
  • \r\n\t
  • Strong Sense of Teamwork
  • \r\n\t
  • Commitment to Excellence
  • \r\n\t
  • Leadership
  • \r\n\t
  • Intellectual Curiosity, Passion and Self-Motivation
  • \r\n\t
  • Integrity, Ethical Standards and Sound Judgment
  • \r\n
\r\n\r\n

Applicants should be in their penultimate year of either a bachelor's, master's (excluding MBA) or Juris Doctor degree. 

\r\n\r\n

How to Apply 

\r\n\r\n

Complete the Summer Analyst online application by uploading your CV, academic transcript and 300-word cover letter. Candidates applying for Engineering will also need to complete HackerRank. 

\r\n\r\n

You may express interest in a maximum of three location and division combinations. The divisions' options are determined by the location you select; if you do not see the division that is of interest to you, please consider choosing an alternate location. 

", - "company": { - "name": "Goldman Sachs Australia", - "website": "https://au.prosple.com/graduate-employers/goldman-sachs-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/hu-pI6UwPqYbUiDb1hk_2_213iRJ6ULF898tiBw41zE/1678883875/public/styles/scale_and_crop_center_80x80/public/2023-03/1678883870384_GS_Box_Blue_72.jpg" - }, - "application_url": "https://www.goldmansachs.com/careers/students/programs/asia-pacific/2025-summer-analyst-program.html", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/goldman-sachs-australia/jobs-internships/summer-analyst-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-16T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41c" - }, - "title": "Data Analyst and IT Auditor Graduate Stream", - "description": "

Ask questions, follow your curiosity and shape public sector accountability as you complete a graduate program that will help you grow, excel and lead. 

\r\n\r\n

Data science and information science students: GROW your understanding of what good IT governance looks like, EXCEL as you’re mentored by like-minded experts, LEAD the use of data as you work as an internal data consultant across the ANAO. 

\r\n\r\n

As an IT auditor, you’ll use your IT infrastructure and cyber security expertise to examine the IT systems and governance of some of the public sectors biggest agencies.                            

\r\n\r\n

Your days might involve: 

\r\n\r\n
    \r\n\t
  • collaboratively planning different approaches to assess risks and test systems 
  • \r\n\t
  • liaising with audited agencies to understand their processes, conduct walkthroughs and gather evidence
  • \r\n\t
  • assessing governance structures and IT controls in different IT systems, like separation of duties, password security and permissions
  • \r\n\t
  • completing work papers and documentation to capture results from testing. 
  • \r\n
\r\n\r\n

As a data analyst, you’ll use your problem-solving and programming skills to investigate complex data sets from across the public service. Work with highly-skilled data professionals as you use innovative technology for statistical modelling, data mining, database management and more— all in the name of supporting audit teams and shaping audit conclusions. 

\r\n\r\n

Your days might involve:

\r\n\r\n
    \r\n\t
  • working with different data sets from across the public service to determine their quality, completeness and application to an audit
  • \r\n\t
  • liaising with different ANAO audit teams to understand their needs
  • \r\n\t
  • conducting analysis on and visualising information from different agencies
  • \r\n\t
  • operating and improving standardised audit-specific data analysis programs 
  • \r\n\t
  • documenting the results of your analysis and collating evidence to justify your analysis. 
  • \r\n
\r\n\r\n

Are you eager to be mentored by highly skilled data and IT professionals? Do you want to work across a wide range of projects, and be exposed to a broad spectrum of systems and data from across the public service? Do you care about supporting accountability and transparency?  Then the ANAO is the place for you!

\r\n\r\n

What you’ll get out of your graduate program

\r\n\r\n
    \r\n\t
  • generous conditions, including a starting salary of $73,305 per annum plus 15.4% super
  • \r\n\t
  • engaging, interesting and varied work that supports accountability and integrity in government
  • \r\n\t
  • extensive learning and development opportunities to support career goals
  • \r\n\t
  • flexible working arrangements and a positive culture of work-life balance
  • \r\n\t
  • opportunity to work closely with and learn from senior leaders 
  • \r\n\t
  • promotion to a higher classification at the completion of the program. 
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last seven years or be in your final year of study.

\r\n\r\n

You must also be an Australian citizen willing to undergo a security clearance process and relocate to Canberra. We can assist you with this aspect and provide you support in moving to Canberra. 

", - "company": { - "name": "Australian National Audit Office (ANAO)", - "website": "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao", - "logo": "https://connect-assets.prosple.com/cdn/ff/9rFQSoRfaIwNy9cw63xERr_pzP95P_NQwCx5mwC2oXA/1734671436/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-australian-national-audit-office-480x480-2024.jpg" - }, - "application_url": "https://anaocareers.nga.net.au/cp/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao/jobs-internships/data-analyst-and-it-auditor-graduate-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41d" - }, - "title": "Data & Analytics Graduate Programme – Hong Kong", - "description": "Join our Graduate Programme in our Data & Analytics Practice and become a data pro in one of the most influential careers in the tech industry.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/840/data--analytics-practice-hong-kong.html?utm_source=career", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-data-analytics-graduate-programme-hong-kong-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41e" - }, - "title": "Data Science and Analytics Graduate Program", - "description": "

Do work that matters

\r\n\r\n
    \r\n\t
  • You’ll be part of a broad team that leverages AI, data science, modelling, analytics, experimentation, behavioural science and technology to drive intelligent and ethical decisions, solutions and approaches for our customers, business and communities
  • \r\n\t
  • You’ll use data to build and enhance quantitative and predictive models to support insights, or use our leading technology to extract incredible data and influence the direction of the business
  • \r\n\t
  • Over the course of the program, you’ll enhance your technical capability using analytical tools such as R, SQL, SAS and Teradata, alongside vast datasets to develop and deliver actionable insights
  • \r\n
\r\n\r\n

See yourself in our team

\r\n\r\n

We have two programs within the Data & Analytics career pathway. Being part of the Data Science or Analytics Program means you’ll:

\r\n\r\n
    \r\n\t
  • Gain access to world-class technical and development resources to help you expand your skills
  • \r\n\t
  • Join a huge network of Technology Graduates, supported by managers focused on your career growth
  • \r\n\t
  • Use rich data to help solve some of Australia’s biggest customer challenges. Create innovative products and solutions to help our customers manage their money and avoid scams
  • \r\n
\r\n\r\n

Retail Banking Services – Analytics (Sydney)

\r\n\r\n

The 18-month Analytics Graduate Program includes three rotations. You’ll get exposure to everything from Insights Analytics, Exception Reporting & Controls and Reporting & Visualisation to Customer Communications. 
\r\n
\r\nOutside of your rotations, you’ll also have three unique Retail Banking Services (RBS) experiences: 

\r\n\r\n
    \r\n\t
  • Three weeks in our frontline branch and call centre team
  • \r\n\t
  • One week risk experience
  • \r\n\t
  • Five weeks learning Design Thinking methodologies to solve unique, real business problems
  • \r\n
\r\n\r\n

After the program, you could continue your CommBank career in one of our diverse analytical functions. Roles could include Data Analyst, Modelling Analyst, Risk Analyst, Associate Data Scientist or Pricing Analyst.

\r\n\r\n

Technology – Data Science (Sydney, & Melbourne)

\r\n\r\n

Our 18-month Data Science Program offers three rotations. You can gain exposure in Decision and Behavioural Science, Quantitative & Predictive Modelling, Artificial Intelligence (AI) & machine learning (ML), Data Engineering, and more. 

\r\n\r\n

Our 8-week structured onboarding program combines a foundational bootcamp, workshops and a modelling project to help set you up for a successful start.

\r\n\r\n

We’re the frontline in the AI revolution. You’ll lead the way and support in driving innovative, data-led solutions and approaches.

\r\n\r\n

After the program you can land a role at CommBank as a Data Scientist, Insights Analytics Analyst, or Data Engineer.

\r\n\r\n

We’re interested in hearing from people who

\r\n\r\n
    \r\n\t
  • Are data savvy and keen to learn new tech stacks, languages and frameworks
  • \r\n\t
  • Can proactively solve problems, think strategically and enjoy simplifying processes
  • \r\n\t
  • Are customer centric, who can listen and use insights to design better solutions and experiences.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align to one of our roles.

\r\n\r\n

If this opportunity excites you and you:

\r\n\r\n
    \r\n\t
  • Are an Australian or New Zealand citizen, or an Australian permanent resident at the time of application and
  • \r\n\t
  • Are in your final year of your overall university degree, or completed your final subject within the last 24 months and
  • \r\n\t
  • Have achieved at least a credit average in your overall university degree
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/data-science-and-analytics-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee41f" - }, - "title": "Applied Scientist Intern - Machine Learning, Recommender Systems", - "description": "

Are you excited about leveraging state-of-the-art Deep Learning, Recommender Systems, Information Retrieval, Natural Language Processing algorithms on large datasets to solve real-world problems?

\r\n\r\n

As an Applied Scientist Intern, you will be working in the closest Amazon offices to you (Sydney, Melbourne, Adelaide, Brisbane) in a fast-paced, cross-disciplinary team of experienced R&D scientists. You will take on complex problems, work on solutions that leverage existing academic and industrial research, and utilize your own out-of-the-box pragmatic thinking. In addition to coming up with novel solutions and prototypes, you may even deliver these to production in customer facing products.
\r\n
\r\nKey job responsibilities

\r\n\r\n
    \r\n\t
  • Develop novel solutions and build prototypes
  • \r\n\t
  • Work on complex problems in Machine Learning and Information Retrieval
  • \r\n\t
  • Contribute to research that could significantly impact Amazon operations
  • \r\n\t
  • Collaborate with a diverse team of experts in a fast-paced environment
  • \r\n\t
  • Collaborate with scientists on writing and submitting papers to top conferences, e.g. NeurIPS, ICML, KDD, SIGIR
  • \r\n\t
  • Present your research findings to both technical and non-technical audiences
  • \r\n
\r\n\r\n

Key Opportunities:

\r\n\r\n
    \r\n\t
  • Work in a team of ML scientists to solve recommender systems problems at the scale of Amazon
  • \r\n\t
  • Access to Amazon services and hardware
  • \r\n\t
  • Become a disruptor, innovator, and problem solver in the field of information retrieval and recommender systems
  • \r\n\t
  • Potentially deliver solutions to production in customer-facing applications
  • \r\n\t
  • Opportunities to be hired full-time after the internship
  • \r\n
\r\n\r\n

Join us in shaping the future of AI at Amazon. Apply now and turn your research into real-world solutions!

\r\n\r\n

BASIC QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Currently enrolled in a PhD program in Computer Science, Electrical Engineering, Mathematics, or related field, with specialization in Information Retrieval, Recommender Systems, or Machine Learning
  • \r\n\t
  • Strong programming skills, e.g. Python and DL frameworks
  • \r\n
\r\n\r\n

PREFERRED QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Research experience in Deep Learning, Recommender Systems, Information Retrieval, or broader Machine Learning.
  • \r\n\t
  • Publications in top-tier conferences, e.g. NeurIPS, ICML, ICLR, KDD, SIGIR, RecSys
  • \r\n\t
  • Experience with handling large datasets and distributed computing, e.g. Spark
  • \r\n
\r\n\r\n

Please note that recruitment for Amazon’s Applied Science internship takes place all year round. Internships start monthly and last 6 months.
\r\n
\r\nHave a question?

\r\n\r\n

Please click on the below link to view our FAQs document: https://amazonexteu.qualtrics.com/CP/File.php?F=F_ctP17e4M4BpNzi6
\r\n
\r\nBut if you have any other questions not answered in anzcampus@amazon.com.au
\r\n
\r\naustechjobs
\r\n
\r\nAcknowledgement of country:

\r\n\r\n

In the spirit of reconciliation Amazon acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.
\r\n
\r\nIDE statement:

\r\n\r\n

Amazon is committed to a diverse and inclusive workplace. Amazon is an equal opportunity employer, and does not discriminate on the basis of race, national origin, gender, gender identity, sexual orientation, disability, age, or other legally protected attributes.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://amazon.jobs/en/jobs/2794872/2025-applied-science-intern-machine-learning-recommender-systems-amazon-international-machine-learning", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/applied-scientist-intern-machine-learning-recommender-systems" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-31T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee420" - }, - "title": "UrbanGrad Graduate Program", - "description": "

There’s no life without water, there’s no us without U! A career in the water industry can take you around the world, after all – it’s a precious resource every single person needs and uses.

\r\n\r\n

It’s never been a better time to kickstart a career in water and we’re thrilled to open our pre-register applications for our two-year UrbanGrad Graduate Program commencing in January 2026.

\r\n\r\n

Join our two-year Graduate Program and make a real impact on your community. You'll rotate through different teams, gaining hands-on experience and developing your career. Enjoy great benefits, dedicated mentorship, and the opportunity to learn from industry experts.

\r\n\r\n

Truly connect your skills with your purpose. We are focussed on challenging the status quo and pushing boundaries so we can serve our people, customers, communities, and environment we work within.

\r\n\r\n

We have opportunities available for graduates across a range of disciplines including:

\r\n\r\n
    \r\n\t
  • Data Science
  • \r\n\t
  • Applied Science
  • \r\n\t
  • Commerce / Finance
  • \r\n\t
  • Business / Human Resources
  • \r\n\t
  • Communications / Media
  • \r\n\t
  • Organisational Psychology
  • \r\n\t
  • Law
  • \r\n
\r\n\r\n

You can see what Grad Life is like at UU below:

\r\n\r\n

\r\n\r\n

Eligibility criteria:

\r\n\r\n

An Australian or New Zealand citizen, or Australian permanent resident, or have unlimited working rights for the duration of the program.

\r\n\r\n

At UU, we celebrate diversity. We genuinely believe that bringing together diversity of thoughts, perspectives and expressions is key and crucial to our success as a business. You might find you meet some, but not all, of the job requirements for this role. We’d still encourage you to apply as we we’re looking for the right human being for this role - it’s about so much more than ticking all the boxes!

\r\n\r\n

Why join Urban Utilities?  

\r\n\r\n

UrbanGrad is a two-year program that unlocks a world of possibilities by offering exhilarating rotations across Urban Utilities' diverse business groups that will see you exploring and contributing to a range of essential programs that connect back to our purpose – to Enrich Quality of Life.

\r\n\r\n

We are passionate about climate change, sustainability, and creating a greener future. We also play an essential role in building Brisbane for the 2032 Olympics and Paralympics, so there’s never been a better time to join us on this journey where you will shape a future that leaves an indelible mark.

\r\n\r\n

How to pre-register

\r\n\r\n

Click on the “Apply” link below to complete your registration.  

\r\n\r\n

By pre-registering, you will be notified via email when the application period commences where further program information will be provided.

\r\n\r\n

For further information please visit our LinkedIn or Careers Page, or feel free to contact our friendly Talent Team.

", - "company": { - "name": "Urban Utilities", - "website": "https://au.prosple.com/graduate-employers/urban-utilities", - "logo": "https://connect-assets.prosple.com/cdn/ff/Wz6zwb0kWr6Fq97Lcvzq8Vnl2Ev-hY55FfoQnye9DGs/1721111711/public/styles/scale_and_crop_center_80x80/public/2024-07/1721111706906_UU-Logo.jpg" - }, - "application_url": "https://urbanutilities.wd3.myworkdayjobs.com/en-US/UrbanCareers/job/UrbanGrad_R2415", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/urban-utilities/jobs-internships/urbangrad-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee421" - }, - "title": "Undergraduate Actuarial Analyst", - "description": "

Your role

\r\n\r\n

They are currently seeking an Undergraduate (2nd year or later) student interested in building a career as an Actuary.

\r\n\r\n

Working within a small actuarial team responsible for pricing all portfolios, developing recommendations, and implementing strategies across the business, you will have the opportunity to work across all products gaining knowledge and exposure to a wide range of Actuarial activities including pricing and reserving techniques.

\r\n\r\n

This is a paid undergraduate program, working on average 2 - 3 days per week with flexibility around your study requirements, as well as offering extra hours as desired during university semester breaks. 

\r\n\r\n

About you

\r\n\r\n

They would love for you to apply if you:

\r\n\r\n
    \r\n\t
  • Have a passion and keen interest in data insights and predictive analytics - your natural curiosity will lead you to ask questions, explore environments, and take every opportunity to learn
  • \r\n\t
  • Are proactive planners and communicators, not afraid of challenging the status quo whilst being empathic and a team player 
  • \r\n\t
  • Have a strong ‘hands-on” attitude towards understanding, validating and transforming data, pursuing data quality improvement opportunities that enable more robust and reliable outcomes
  • \r\n\t
  • Have a strong interest in developing efficient data and workflow processes
  • \r\n\t
  • Enjoy the process of designing, developing and enhancing data-driven solutions (actuarial/statistical models, machine learning algorithms & applications, data and insights dashboards & visualisations etc.)
  • \r\n
\r\n\r\n

From a technical perspective, they’d love to see the following:

\r\n\r\n
    \r\n\t
  • Mathematics, statistics, actuarial, physics or engineering disciplines with demonstrated strong academic performance
  • \r\n\t
  • Hands-on experience with SQL, Python or similar (desirable)
  • \r\n\t
  • Exposure or experience to data ingestion, manipulation and statistical modelling (desirable)
  • \r\n\t
  • Familiarity with visualisation platforms such as PowerBI or Tableau (desirable)
  • \r\n\t
  • Familiarity with Microsoft Office applications (desirable)
  • \r\n\t
  • Prior working experience in analytical roles is highly regarded
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Eligible team members will receive the following benefits:

\r\n\r\n
    \r\n\t
  • Flexible Working
  • \r\n\t
  • Annual Bonus Scheme
  • \r\n\t
  • Paid Parental Leave
  • \r\n\t
  • Insurance Discounts
  • \r\n\t
  • Additional Leave
  • \r\n\t
  • Wellness Program
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

As part of the Undergraduate program, you will grow an incredibly well-rounded commercial skillset and have the opportunity to practically apply your university learnings in real-time. You will work with industry experts and receive training and mentoring to develop your technical and non-technical skills, gaining exposure to projects, stakeholder management and more. You will be a valued and important member of their team.

\r\n\r\n

To know more, watch this video:

\r\n\r\n

\r\n\r\n

How to apply

\r\n\r\n

They’d love for you to apply with a resume, academic transcript, and cover letter explaining why you’d like to join the Undergraduate program. 

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • nti.com.au/about/careers-at-nti
  • \r\n\t
  • nti.com.au/about
  • \r\n
", - "company": { - "name": "NTI Australia", - "website": "https://au.prosple.com/graduate-employers/nti-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/UcuwiXglN4NqVAWpiPJTBcHZynplGZycESxrSTlTxUE/1702534602/public/styles/scale_and_crop_center_80x80/public/2023-12/logo-NTI-australia-450x450-2023.png" - }, - "application_url": "https://www.nti.com.au/about/careers-at-nti/vacancies/undergraduate-actuarial-analyst-191ff9c7c62b78b850bfda3cbdbe0ba8", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nti-australia/jobs-internships/undergraduate-actuarial-analyst" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee422" - }, - "title": "Indigenous Internship & Scholarship Program", - "description": "

Kearney Indigenous Scholarship Program 

\r\n\r\n

Kearney ANZ is committed to continuing our endeavours towards a diverse, inclusive and equitable working environment. This scholarship aims to provide an opportunity to students that identify as Aboriginal or Torres Strait Islander to launch their Management Consulting Career within a supportive and inclusive environment. 

\r\n\r\n

The successful candidate will have the opportunity to participate in Kearney’s Indigenous Scholarship program and intern during Winter and Summer in 2025.

\r\n\r\n

About Kearney

\r\n\r\n

Kearney is a leading global management consulting firm with offices in more than 40 countries. Since 1926, we have been trusted advisors to the world's foremost organisations. Kearney is a partner-owned firm, committed to helping clients achieve success.

\r\n\r\n

We have committed to be the difference and lead by example, using our voice, power, and resources to act. A supportive organization that honours diversity, equity, and inclusion. A group of people that stands in solidarity with each other.

\r\n\r\n

Kearney was founded on the principle of essential rightness: that we would always seek to do right and work with best interests in mind. This, together with our core values, has become integral to who we are as a firm, and should be implicit in all that we do—in our client and working relationships, in how we treat one another as people, and in how we support the communities in which we operate.

\r\n\r\n

Scholarship details

\r\n\r\n

The Kearney Indigenous Scholarship is open to students in their second year through to final year of university that identify as Aboriginal or Torres Strait Islander. The recipient will be provided with:

\r\n\r\n
    \r\n\t
  • $20,000 to be used to support either their next year of study or other educational related activities;
  • \r\n\t
  • Mentorship from a senior consultant;
  • \r\n\t
  • An initial 5-week internship over Winter in either our Sydney or Melbourne offices (scheduled from June until end of July . The successful Candidate will have the option to extend this Internship over our 10-week Summer Internship (end of November until January); and
  • \r\n\t
  • Access to all in-house training.
  • \r\n
\r\n\r\n

What we are seeking

\r\n\r\n

We value problem solvers who are ready to contribute ideas, share their views and new information.

\r\n\r\n

The ideal scholar also demonstrates qualities of:

\r\n\r\n
    \r\n\t
  • A critical and creative thinker;
  • \r\n\t
  • A problem solver;
  • \r\n\t
  • A great communicator; and
  • \r\n\t
  • Has strong personal impact.
  • \r\n
\r\n\r\n

To be eligible for the scholarship, you must be:

\r\n\r\n
    \r\n\t
  • An undergraduate Aboriginal or Torres Strait Islander identifying student in your second through to final year of study;
  • \r\n\t
  • Applicants must be of Aboriginal or Torres Strait Islander descent and be accepted as such within the community in which they live or have lived. Please submit a letter or statement from your community, Land Council or cultural centre; and
  • \r\n\t
  • Be an Australian citizen.
  • \r\n
\r\n\r\n

How do I apply?

\r\n\r\n

Applicants are asked to submit the following:

\r\n\r\n
    \r\n\t
  1. An application utilising the link provided. Candidates will be required to upload their CV and latest academic transcript (unofficial copies accepted).
  2. \r\n\t
  3. Kindly note that there are x3 questions which are mandatory and will replace the need for a Cover Letter. Please kindly do not submit a cover letter.
  4. \r\n
\r\n\r\n

The questions are as follows (350-word limit per question):

\r\n\r\n
    \r\n\t
  1. What are you passionate about, and how would the Kearney Scholarship help you achieve your career aspirations?
  2. \r\n\t
  3. Thinking about an opportunity to get experience working in a Consulting industry, what are you hoping to learn and what are some of the challenges you anticipate?
  4. \r\n\t
  5. Describe a solution to a current social issue of your choice.
  6. \r\n
\r\n\r\n

Kearney Australia acknowledges Traditional Owners of Country throughout Australia and recognises the continuing connection to lands, waters and communities. We pay our respect to Aboriginal and Torres Strait Islander cultures; and to Elders past and present and emerging. 

\r\n\r\n

Equal Employment Opportunity and Non-Discrimination:

\r\n\r\n

Kearney prides itself on providing a culture that allows employees to bring their best selves to work every day. Our people can feel comfortable, confident, and joyful to do great things for our firm, our colleagues, and our clients. Kearney aims to build diverse capabilities to help our clients solve their most mission critical problems.

\r\n\r\n

Kearney is committed to building a diverse, unbiased and inclusive workforce. Kearney is an equal opportunity employer; we recruit, hire, train, promote, develop, and provide other conditions of employment without regard to a person’s gender identity or expression, sexual orientation, race, religion, age, national origin, disability, marital status, pregnancy status, veteran status, genetic information or any other differences consistent with applicable laws. This includes providing reasonable accommodation for disabilities, or religious beliefs and practices. Members of communities historically underrepresented in consulting are encouraged to apply.

", - "company": { - "name": "Kearney", - "website": "https://au.prosple.com/graduate-employers/kearney", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8VwgkVtVdmRWu6uolU5WIxm1-3gZBTeN8VdfwiL4LM/1691624390/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-%20Kearney%20-480x480-2023.png" - }, - "application_url": "https://kearney.recsolu.com/jobs/FPAssKcYSx_jHL7E8n9hfg?job_board_id=EPd41qlA4_03IncZMnWyRQ", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kearney/jobs-internships/indigenous-internship-scholarship-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-19T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee423" - }, - "title": "Audit, Assurance and Finance Vacationer Program", - "description": "

Why choose Audit, Assurance, and Finance areas as a vacationer?

\r\n\r\n

Money makes the world go around, but how can we make sure it goes around ethically, sustainably, and efficiently? That’s where you come in. Maintain the world’s confidence in capital markets and drive innovation. Just accounting and finance? It’s trust in numbers, clear in the complex and new ways in solid systems. That’s creating a better world and an exciting career.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Audit, Assurance, and Finance pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, or a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be forensic accountants working alongside an environmental specialist and change and communications professionals. 

\r\n\r\n

The work itself is varied depending on your team and the client, so expect to build knowledge of several industries and businesses. You might be researching and gathering information, critically assessing financial statements to understand if the information is correct, liaising with clients to understand decisions or challenges they face, working with your team to develop an audit opinion, or implement new compliance software.

\r\n\r\n

About the vacationer program

\r\n\r\n
    \r\n\t
  • For students in their second-last year of study in 2025
  • \r\n\t
  • Applications close 14th April 2025
  • \r\n\t
  • Job offers made in May
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work approx. November with a job for 4-8 weeks to learn real-world work skills during your study vacation time
  • \r\n\t
  • Opportunities to move directly into our graduate program: a one-year program after you graduate with targeted coaching, support and development.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, and now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb, and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Vacationer Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTK", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/audit-assurance-and-finance-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee424" - }, - "title": "Business Analyst - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Business analysts help to make sure the business side of Queensland Government is supported by the very best business solutions. Graduate business analysts are key facilitators, acting as a bridge between the business areas and technical teams. They assist to analyse business and operational requirements to improve business processes—helping to deliver better services to the Queensland community. Business analysts need technology understanding, but don’t necessarily need a technical degree.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a business analyst role may include:

\r\n\r\n
    \r\n\t
  • identifying and documenting business problems
  • \r\n\t
  • supporting research into business change costs/benefits analysis of solutions
  • \r\n\t
  • undertaking and documenting results from research and analysis
  • \r\n\t
  • using your modelling skills to understand complex organisational issues
  • \r\n\t
  • defining business requirements and develop business cases
  • \r\n\t
  • designing improved business processes.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a business analyst role will have:

\r\n\r\n
    \r\n\t
  • high level process modelling and analytical skills
  • \r\n\t
  • high levels of interpersonal and written communication
  • \r\n\t
  • problem solving skill and the ability to conceptualise and think creatively
  • \r\n\t
  • attention to detail.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Business analysts require a broad range of modelling skills including business process modelling.

\r\n\r\n

Your degree may be in information technology, information systems, business, business computing, commerce or accounting.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/business-analyst-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee425" - }, - "title": "Corporate Services Graduate Program", - "description": "

About the opportunity:

\r\n\r\n

Build your career as part of the booming construction industry with a privately owned, national construction company. With over 40 years of growth and no sign of slowing down, there's never been a better time to join BMD – one of Australia's leading contractors.

\r\n\r\n

As part of the BMD family, we want you to help us meet our promise to do things differently. As part of the national corporate services team, you’ll gain hands-on experience honing your skills to develop and implement innovative strategies in a fast-paced and close-knit team environment. Collaboration is critical to supporting the delivery of progressive engineering and transformative infrastructure.

\r\n\r\n

Our corporate services team has departments in Human Resources, Marketing, Proposals, Business Systems, Information Technology, Finance and Accountancy, and you will have the chance to work alongside leaders and like-minded professionals in your prospective industry.

\r\n\r\n

We want you to bring your positive attitude, dedication, and progressive ideas to the role. In an industry where no two days are the same, you will be provided with endless opportunities for a challenging, diverse, and rewarding career with the support in place to help you thrive.

\r\n\r\n

What makes us different?

\r\n\r\n

We provide you with the benefits you'd expect from a leading Australian contractor, but what makes us different is:

\r\n\r\n
    \r\n\t
  • Our culture – our vision to do things differently and unique family-orientated values and history build a unique team environment where our business really is about the people, allowing you to make life-long friends.
  • \r\n\t
  • Our work – the possibilities are as diverse as you are. We offer diverse work across our five business units with projects differing in size, scope, and capability.
  • \r\n\t
  • Our long-timers – access to our senior and emerging leaders offering formal leadership, personal and professional development, and mentoring to allow growth of your technical and leadership skills.
  • \r\n
\r\n\r\n

What we need from you:

\r\n\r\n
    \r\n\t
  • Undertaking/completion of tertiary qualifications in Human Resources, Marketing, Proposals, Information Technology, Finance, and Accountancy (graduating in 2025 or mid-2026)
  • \r\n\t
  • Strong decision-making and communication skills, creative thinking, and willingness to work collaboratively with others at all levels across our diverse workforce
  • \r\n\t
  • Resilience and enthusiasm to achieve positive outcomes in a fast-paced environment.
  • \r\n
\r\n\r\n

Why choose BMD's Graduate Program, Foundations?

\r\n\r\n

Our graduate program, Foundations, is one of the most engaging and hands-on graduate programs in the construction industry. The 18-month program kicks off with a three-day conference on the Gold Coast, where graduates from across the country connect to build their networks and be introduced to our unique values and inclusive culture - what we like to call the BMD way. You will connect with BMD's Board of Directors, executive management team, and emerging leaders, and be inspired by their career journeys, empowering you to see how your own career can progress as part of the BMD family.

\r\n\r\n

At BMD, we support people at all levels of our business to embody a high-performance team culture and provide graduates with opportunities to hear from world-class athletes, leadership behavioural experts, and our senior management team to help you reach your full potential. Our three custom Foundations modules will inspire you to develop your skills in problem-solving, critical thinking, innovation, and team building, to help you succeed in your future personal and professional endeavours.

\r\n\r\n

Our Foundations program is about recognising your individual strengths and arming you with the skills and knowledge you need to succeed in your career in any of the diverse opportunities available within BMD.

\r\n\r\n

Sound like you?

\r\n\r\n

Pre-register now!

\r\n\r\n

BMD recognises that we are strengthened by diversity and we embrace differences as an equal opportunity employer, providing a flexible and inclusive workplace that rewards excellence and promotes a healthy work-life balance.

\r\n\r\n

Visit our website to learn more about us.

", - "company": { - "name": "BMD", - "website": "https://au.prosple.com/graduate-employers/bmd", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ebb3KrxmogO5II7Eghj9IfdjuqoK1eR6L1XDOWs_HqM/1626942924/public/styles/scale_and_crop_center_80x80/public/2021-07/logo-bmd-480x480-2021.jpg" - }, - "application_url": "https://www.bmd.com.au/people-careers/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bmd/jobs-internships/corporate-services-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-17T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee426" - }, - "title": "Research and Innovation Pathway Graduate Program", - "description": "

If a soldier wears it, uses it, eats it, or thinks about it, then someone in Defence came up with the science behind it.

\r\n\r\n

Applicants for the Research and Innovation Pathway must have obtained a Bachelor's degree with Honours within the last 2 years before starting the program.

\r\n\r\n

The Research and Innovation Pathway is for Honours graduates with a research focus in:

\r\n\r\n
    \r\n\t
  • cyber
  • \r\n\t
  • computer sciences
  • \r\n\t
  • data science
  • \r\n\t
  • engineering
  • \r\n\t
  • information and communication technology
  • \r\n\t
  • mathematics
  • \r\n\t
  • nuclear science
  • \r\n\t
  • science
  • \r\n\t
  • technology
  • \r\n
\r\n\r\n

Salary

\r\n\r\n

All successful candidates start the Graduate Program on a salary of $73,343 plus 15.4% superannuation (increasing to $76,277 upon the Fair Work Commission approval of the Defence Enterprise Collective Agreement – 2024).

\r\n\r\n

Graduates advance to a higher salary after successfully completing the Program. The amount depends on which training pathway is completed.

\r\n\r\n

Defence's is committed to enabling an enjoyable work-life balance through:

\r\n\r\n
    \r\n\t
  • generous remuneration package
  • \r\n\t
  • conditions of service
  • \r\n\t
  • flexible work arrangements and
  • \r\n\t
  • leave benefits
  • \r\n
\r\n\r\n

Location

\r\n\r\n

Adelaide, Canberra, Melbourne, Perth and Sydney.

\r\n\r\n

Duration

\r\n\r\n

12 months – 1 x 8-month rotation and 1 x 4-month rotation.

\r\n\r\n

Roles

\r\n\r\n

Applicants to the Research and Innovation Pathway need to nominate one of these areas of interest:

\r\n\r\n
    \r\n\t
  • aerospace/aeronautical engineering, naval architecture
  • \r\n\t
  • chemical, radiological, biological, physical food sciences
  • \r\n\t
  • computer sciences, cyber security, IT, software engineering, telecommunications
  • \r\n\t
  • electronic/electrical engineering
  • \r\n\t
  • materials science
  • \r\n\t
  • mathematics and physics
  • \r\n\t
  • mechanical and mechatronic engineering, including robotics
  • \r\n\t
  • nuclear science
  • \r\n\t
  • psychology and social sciences
  • \r\n
\r\n\r\n

Defence is the winner of the 2023 Graduate Employer Award for Government & Public Safety by Prosple.

", - "company": { - "name": "Department of Defence", - "website": "https://au.prosple.com/graduate-employers/department-of-defence", - "logo": "https://connect-assets.prosple.com/cdn/ff/sKy0CNv4vkus5lqJKQwuEfeblfZAjq9wwWz9DYl9uoU/1666050750/public/styles/scale_and_crop_center_80x80/public/2022-10/logo-department-of-defence-480x480-2022.png" - }, - "application_url": "https://www.defence.gov.au/jobs-careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-defence/jobs-internships/research-and-innovation-pathway-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee427" - }, - "title": "Performance and Performance Statement Auditor Graduate Stream", - "description": "

Ask questions, follow your curiosity and shape public sector accountability as you complete a graduate program that will help you grow, excel and lead. 

\r\n\r\n

Arts, humanities, science, business, law and all other degree students: GROW your understanding of good public sector governance, EXCEL at researching for different audit topics that require different specialist knowledge, LEAD engagements with people from across the public service, at all levels.

\r\n\r\n

As a graduate in our performance audit team, you’ll use evidence-based analysis to support public sector transparency to look at the program implementation and governance arrangements of agencies from across the entire public sector. 

\r\n\r\n

Your days might involve: 

\r\n\r\n
    \r\n\t
  • creating and implementing a system to fairly and accurately analyse a bundle of evidence
  • \r\n\t
  • meeting with different teams at audited agencies to gain a deeper understanding of what actions those teams took when implementing a government program
  • \r\n\t
  • using evidence and analysis to write a section of an audit report, explaining how an audit conclusion was reached.
  • \r\n
\r\n\r\n

As a graduate in our performance statements audit team, you’ll focus on assessing the quality, usefulness and reliability of the performance information laid out in the annual reports that all government departments and agencies must produce. 

\r\n\r\n

Your days might involve: 

\r\n\r\n
    \r\n\t
  • engaging with stakeholders at audited agencies to understand what targets they’re working towards and how they’ll assess whether they met those targets
  • \r\n\t
  • gathering and analysing evidence to assess performance statement information
  • \r\n\t
  • drafting audit strategies, reports and plans
  • \r\n\t
  • building and maintaining positive relationships with audited agencies
  • \r\n\t
  • providing professional and technical support to your audit colleagues.
  • \r\n
\r\n\r\n

Want to make the most of your strong generalist skills by doing work that matters? Are you a curious, detailed-oriented and highly motivated team player? Not sure what you want to do with your degree, but know you want to do something meaningful? Then the ANAO is the place for you!

\r\n\r\n

What you’ll get out of your graduate program

\r\n\r\n
    \r\n\t
  • generous conditions, including a starting salary of $73,305 per annum plus 15.4% super
  • \r\n\t
  • engaging, interesting and varied work that supports accountability and integrity in government
  • \r\n\t
  • extensive learning and development opportunities to support career goals
  • \r\n\t
  • flexible working arrangements and a positive culture of work-life balance
  • \r\n\t
  • opportunity to work closely with and learn from senior leaders 
  • \r\n\t
  • promotion to a higher classification at the completion of the program. 
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last seven years or be in your final year of study.

\r\n\r\n

You must also be an Australian citizen willing to undergo a security clearance process and relocate to Canberra. We can assist you with this aspect and provide you support in moving to Canberra. 

", - "company": { - "name": "Australian National Audit Office (ANAO)", - "website": "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao", - "logo": "https://connect-assets.prosple.com/cdn/ff/9rFQSoRfaIwNy9cw63xERr_pzP95P_NQwCx5mwC2oXA/1734671436/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-australian-national-audit-office-480x480-2024.jpg" - }, - "application_url": "https://anaocareers.nga.net.au/cp/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-national-audit-office-anao/jobs-internships/performance-and-performance-statement-auditor-graduate-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee428" - }, - "title": "Intelligence Stream Graduate Program", - "description": "

Do you want the opportunity to advance and protect Australia and its interests, its people and our way of life? As a graduate in the Intelligence Stream, you will.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

As an Intelligence Stream graduate, you have the opportunity to work on topics that matter. The work you do will influence important decisions to shape the future of intelligence, which may impact the everyday lives of many of your fellow Australians.

\r\n\r\n

The Australian Government Graduate Program (AGGP) Intelligence Stream offers some of the most important, dynamic and stimulating work in Australia. Working within the National Intelligence Community (NIC), you will have the opportunity to serve the nation, progress your career and work with committed colleagues in a globally engaged community.

\r\n\r\n

The National Intelligence Community is made up of the following departments and agencies:

\r\n\r\n
    \r\n\t
  • Australian Criminal Intelligence Agency (ACIC)
  • \r\n\t
  • Australian Federal Police (AFP)
  • \r\n\t
  • Australian Geospatial-Intelligence Organisation (AGO)
  • \r\n\t
  • Australian Secret Intelligence Service (ASIS)
  • \r\n\t
  • Australian Security Intelligence Organisation (ASIO)
  • \r\n\t
  • Australian Signals Directorate (ASD)
  • \r\n\t
  • Australian Transaction Reports and Analysis Centre (AUSTRAC)
  • \r\n\t
  • Defence Intelligence Organisation (DIO)
  • \r\n\t
  • Department of Home Affairs (Home Affairs)
  • \r\n\t
  • Office of National Intelligence (ONI)
  • \r\n
\r\n\r\n

These agencies and departments form the Australian Government's intelligence enterprise.

\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

Your options are not limited by your degree. The National Intelligence Community needs a diverse workforce that is professional, agile and capable in order to make a difference. Your degree has equipped you with a wealth of transferable skills that can be utilised across a range of roles within the NIC.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

This program has a stringent security clearance requirement:

\r\n\r\n
    \r\n\t
  • An NIC agency-issued security clearance is a qualifying condition for an offer of employment
  • \r\n\t
  • To be considered suitable for a security clearance, we must establish that you possess and demonstrate the highest level of trustworthiness and commitment to Australia, its values and its democratic system of government
  • \r\n\t
  • Our security clearance process covers all aspects of your life – it is comprehensive and can seem intrusive
  • \r\n\t
  • The complete selection process – from advertising to employment – usually takes between 12 and 18 months
  • \r\n\t
  • Please note that the security clearance process does not end at recruitment. If you attain a security clearance, you are required to maintain your clearance for the term of your employment
  • \r\n\t
  • Further information about security obligations will be provided to you throughout the recruitment process
  • \r\n
\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n\t
  • Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency
  • \r\n
\r\n\r\n

Most graduate roles are based in Canberra. Some roles may be available in other Australian cities and major regional centres.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/intelligence-stream-MCGZIXZJLLLVHAXGFTRVG3YDPXPE", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/intelligence-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-29T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee429" - }, - "title": "Financial Markets & Treasury Graduate Program", - "description": "

Our Organisation

\r\n\r\n

As Australia’s first bank and oldest company, the Westpac Group—which started life as the Bank of New South Wales in 1817—represents a central, unbroken thread that runs through Australian history. It has survived and thrived because it has been guided by the same purpose over the years: to provide stability, support customers and communities, and help grow the economy. 

\r\n\r\n

Westpac Institutional Bank (WIB) delivers a broad range of financial services to commercial, corporate, institutional and government customers operating in, and with connections to, Australia and New Zealand.  

\r\n\r\n

When you join Westpac Group, you’ll be empowered to make a difference, speak your truth and discover what success means to you. But best of all you’ll be joining a whole organisation of people who love helping others find their success. 

\r\n\r\n

Our Grad Program

\r\n\r\n

We’re looking to fill our programs with original thinkers and innovators from all degrees of study.  Challenging and rewarding – our programs will get your career off to a flying start.

\r\n\r\n

Eligibility

\r\n\r\n

You must be an Australian or New Zealand Citizen OR an Australian Permanent Resident, AND be in your final year of study for a university degree OR completed an undergraduate or postgraduate degree no more than 3 years ago.

\r\n\r\n

You’ll need to be available to start with us as a permanent employee in February 2026.

\r\n\r\n

Our Financial Markets & Treasury Program  

\r\n\r\n

Our Financial Markets business is a leading provider of financial solutions across foreign exchange, interest rates, credit and commodities markets. Our Treasury team provide market-leading funding, liquidity and risk management of Westpac’s balance sheet, enabling all Westpac businesses to service their customers. 

\r\n\r\n

We have relationships with a diverse customer base covering the complete spectrum from Australian retail consumers all to way too large corporates, funds, supranational institutions, and central banks across the world. You will have access to global career opportunities as well as access to the most senior decision-makers in our Sydney office. You will be taking part in a fast-paced, dynamic and thriving business that is growing through technology and innovation, as well as unparalleled financial markets insights and expertise. 

\r\n\r\n

This is a 12-month program with 4 x 3-month rotations.   

\r\n\r\n

You will gain hands-on experience across your rotations, where you are an integral part of a team to help deliver solutions for our customers. A graduate typically completes a variety of rotations which could include: Treasury, Fixed Income, Commodities & Currencies (FICC) Trading, Corporate & Institutional Sales, Economics, Strategy, Debt Capital Markets, Commercial, Business and Consumer Sales, Financial Markets Digital & Platforms, or Quantitative Trading 

\r\n\r\n

The post-graduate program, Financial Markets & Treasury grads continues to help the bank and our customers navigate the complexity of financial markets through roles in Australia as well as across the globe in areas such as Treasury, Fixed Income, Commodities & Currencies (FICC) Trading, Corporate & Institutional Sales, Economics, Strategy, Debt Capital Markets, Commercial, Business and Consumer Sales, Financial Markets Digital & Platforms, or Quantitative Trading.  

\r\n\r\n

We are looking for outstanding talent across numerous disciplines who want to help customers thrive today and redefine tomorrow through unrivalled access and insights in financial markets.   

\r\n\r\n

We welcome applications from mathematics, computer science, engineering, and data science as well as those studying business and finance-based degrees with interest in global markets, high-performance technology, data, and digital platforms.

\r\n\r\n

Through unrivalled access to experts across the business, you will grow to develop a diverse skillset, including the ability to adapt and be flexible. 

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://ebuu.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/46575", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/financial-markets-treasury-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-05T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42a" - }, - "title": "Project Support Officer - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

The project support graduate helps to ensure Queensland Government projects are well managed to ensure the required outcomes are delivered on time and within budget. The role of the project support graduate is to support the project management team by taking responsibility for activities delegated to them. These activities include planning, documenting, monitoring, reporting, configuration management, administering change control and supporting project board meetings.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a project support role may include:

\r\n\r\n
    \r\n\t
  • contributing to project planning and reporting
  • \r\n\t
  • helping the project team members apply the department’s approved project management methodology
  • \r\n\t
  • preparing reports, presentations, briefs and correspondence
  • \r\n\t
  • tracking project progress including updating gantt charts
  • \r\n\t
  • assisting with the development of project management communications and training materials.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a project support role will have:

\r\n\r\n
    \r\n\t
  • good communication, interpersonal and liaison skills, and the ability to work well in a team
  • \r\n\t
  • analysis and problem solving skills
  • \r\n\t
  • practical ability with MS Office and MS Project (desirable).
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of project management (e.g. methodologies such as PRINCE2® or Project Management Body of Knowledge).

\r\n\r\n

Understanding of:

\r\n\r\n
    \r\n\t
  • project reporting, scheduling and coordination
  • \r\n\t
  • management of project risks, issues and dependencies.
  • \r\n
\r\n\r\n

Your degree may be in information technology, information management, engineering, business, business computing, commerce or accounting.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/project-support-officer-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42b" - }, - "title": "Software Engineering Intern, Summer", - "description": "

As a Software Engineering Intern, you will work on our core products and services as well as those which support critical functions of our engineering operations. You will develop and present ideas, striving for an understanding of our products to continually improve upon them.

\r\n\r\n

Google is and always will be an engineering company. We hire people with a broad set of technical skills who are ready to address some of technology's greatest challenges and make an impact on millions, if not billions, of users. At Google, engineers not only revolutionize search, they routinely work on massive scalability and storage solutions, large-scale applications and entirely new platforms for developers around the world. From Google Ads to Chrome, Android to YouTube, Social to Local, Google engineers are changing the world one technological achievement after another.

", - "company": { - "name": "Google AU", - "website": "https://au.prosple.com/graduate-employers/google-au", - "logo": "https://connect-assets.prosple.com/cdn/ff/7e-DvdKyAq7vvrkzobK5e6nJtVss9eDEHBghFgK4DLo/1569257436/public/styles/scale_and_crop_center_80x80/public/2019-06/Google_Logo_120x120.png" - }, - "application_url": "https://www.google.com/about/careers/applications/jobs/results/98370832373293766-software-engineering-intern-summer-2024?src=Online%2FGoogle%20Website%2FByF&utm_source=Online%20&utm_medium=careers_site%20&utm_campaign=ByF&distance=50&employment_type=INTERN&location=Australia&location=New%20Zealand&company=Fitbit&company=Google&utm_source=partnership&utm_medium=website&utm_campaign=anz-campus-techcareersession-q1-2024&src=Online/TOPs/careersonair-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/google-australia/jobs-internships/software-engineering-intern-summer" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-18T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42c" - }, - "title": "Internship Program", - "description": "

Join the team redefining how the world experiences design.

\r\n\r\n

Hey, g'day, mabuhay, kia ora, 你好, hallo, vítejte!

\r\n\r\n

We’re looking for the next generation of Canvanauts! 

\r\n\r\n

Our Canva internship is a 12-week remote friendly program that runs over end of the year.  There will also be an opportunity to meet your team in person at our flagship campus in Sydney or Manila to experience all the magic of Canva in real life. So your summer time is sorted.

\r\n\r\n

As an Intern, you'll have the opportunity to work on real-life projects from start to finish. Along with this, we'll pair you with a Host and assign you a Buddy who will ensure your success every step of the intern journey. Think of them as your own personal intern tour guides. 

\r\n\r\n

You’ll be part of a welcoming and inclusive Early Talent community of peers that take pride in Canva’s culture of being good humans and empowering each other to achieve our big goals.

\r\n\r\n

Where and how you can work

\r\n\r\n

Our flagship campus is in Sydney, Australia. We also have a campus in Melbourne and co-working spaces in Brisbane, Perth and Adelaide. If you call New Zealand home, we have our Auckland co-working space too.

\r\n\r\n

But you have choice in where and how you work. That means if you want to do your thing in the office (if you're near one), at home or a bit of both, it's up to you. 

\r\n\r\n

What you’d be doing in this role

\r\n\r\n

As Canva scales change continues to be part of our DNA. But we like to think that's all part of the fun. So this will give you the flavour of the type of things you'll be working on when you start, but this will likely evolve. 

\r\n\r\n

At the moment, this role is focused on:

\r\n\r\n
    \r\n\t
  • Collaborating with the team to create visually compelling designs
  • \r\n\t
  • Working closely with the team to understand project requirements and objectives, and translate them into engaging and effective visual solutions.
  • \r\n\t
  • Working independently as needed
  • \r\n\t
  • Thinking strategically when working on projects and making design suggestions
  • \r\n\t
  • Helping in the process of gathering data and insights to inform product development
  • \r\n\t
  • Supporting the team in organising and maintaining design files, assets, and documentation.
  • \r\n\t
  • Contributing to brainstorming sessions and actively participating in creative discussions.
  • \r\n\t
  • Taking constructive feedback from team members and applying it to improve designs.
  • \r\n
\r\n\r\n

You're probably a match if

\r\n\r\n
    \r\n\t
  • You are currently enrolled and completing your studies between 2027 and mid-2028.
  • \r\n\t
  • You are currently based in Australia (citizen, PR, international student), or New Zealand (citizen).
  • \r\n\t
  • You are ready to present a portfolio of personal projects and case studies from inside or outside the classroom
  • \r\n\t
  • You have a stylistic approach and a strong understanding of what makes a good design based on design fundamentals, principles, and elements
  • \r\n\t
  • You have a keen understanding of design context-based on visual, cultural, and popular trends
  • \r\n\t
  • You have an eye for design and can visualize unique content
  • \r\n\t
  • You have a keen understanding of user interaction and the importance of usability
  • \r\n\t
  • You can effectively simplify design concepts and articulate ideas and blockers
  • \r\n\t
  • You have a passion for improving and streamlining processes
  • \r\n\t
  • You enjoy collaborative working environments and idea exchanges
  • \r\n\t
  • You have a good eye for animation & graphic design and are up to date with animation/graphic styles and trends
  • \r\n\t
  • You have the ability to receive constructive feedback on work.
  • \r\n\t
  • You are able to commit to the 12-week, full-time summer program from the last week of November to the last week of February. (We can provide some flexibility for dates that might overlap with university timelines.)
  • \r\n
\r\n\r\n

About the team

\r\n\r\n

More info to come when roles are live in 2025!

\r\n\r\n

Our recruitment timeline

\r\n\r\n

Roles will be live for 30 days. Following this advertisement closure date, successful applicants will be reached out to directly to proceed to the next step of our Canva Early Talent hiring process.

\r\n\r\n

Here at Canva, we endeavour to respond to every applicant regardless of the outcome, should you not be successful, we will respond to your application within 5 working days following this advertisement closure date.

\r\n\r\n

What's in it for you?

\r\n\r\n

Achieving our crazy big goals motivates us to work hard - and we do - but you'll experience lots of moments of magic, connectivity and fun woven throughout life at Canva, too. 

\r\n\r\n

Here's a taste of what's on offer:

\r\n\r\n
    \r\n\t
  • The opportunity to work on a real-life and impactful project from start to finish
  • \r\n\t
  • Mentorship from experienced Canvanauts
  • \r\n\t
  • Budget for Intern run social events throughout the program
  • \r\n\t
  • Flexible working schedule with access to an office a campus or a co-working hub if you live nearby
  • \r\n\t
  • A campus week in Sydney or another major city, where you'll get to meet your team in person and experience the Canva magic
  • \r\n
\r\n\r\n

Check out lifeatcanva for more info.

\r\n\r\n

Other stuff to know

\r\n\r\n

We make hiring decisions based on your experience, skills and passion, as well as how you can enhance Canva and our culture. When you apply, please tell us the pronouns you use and any reasonable adjustments you may need during the interview process. 

\r\n\r\n

Please note that interviews are conducted virtually. 

\r\n\r\n

Register your interest now! 

\r\n\r\n

We will let you know once this opportunity opens.

", - "company": { - "name": "Canva", - "website": "https://au.prosple.com/graduate-employers/canva", - "logo": "https://connect-assets.prosple.com/cdn/ff/2WCH6ipd-TwERf32YslC0XBD5-4Su0YC2ag8eKRUYV4/1711356421/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-canva-480x480-2024.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/canva/jobs-internships/internship-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-30T13:59:59.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Creative Arts", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42d" - }, - "title": "2026 Graduate Operation Analyst Program - Sydney", - "description": "The Operations Analyst development program will prepare you for a full-time Operations Analyst position at Susquehanna.", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.gradconnection.com/employers/susquehanna-international-group", - "logo": "https://media.cdn.gradconnection.com/uploads/e0f736e2-e850-44cf-8f24-403715f73268-SUSQ_YouTube_icon_408x408.jpg" - }, - "application_url": "https://careers.sig.com/job/8964/Graduate-Operations-Analyst-2026/?utm_source=gradconnection&utm_medium=referral&utm_campaign=01152025-syd-gradconnection-2025-lb&utm_content=grad-oa-comp-sci", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/susquehanna-international-group/jobs/susquehanna-international-group-2026-graduate-operation-analyst-program-sydney-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T01:28:00.000Z" - }, - "locations": ["NSW"], - "study_fields": ["Computer Science"], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42e" - }, - "title": "Early Careers Programme", - "description": "

About the Opportunity 

\r\n\r\n

Datacom's Early Careers Programme encompasses a range of career pathways; each tailored to provide a meaningful career and level of support suited to the individual and their level of skill, qualification and experience. We apply a skills-based approach to our next generation of early career joiners. We recognise that further education (beyond HighSchool) is role dependent - in some cases further education is necessary and in other cases learning on the job is a perfect way to gain practical skills and knowledge. For that reason, we work with you during the recruitment process to ensure each applicant is treated as an individual and matched to the right role.

\r\n\r\n

We have beautiful offices across Australia, we are looking for Technical talent in Adelaide, Brisbane, Canberra, Melbourne, Perth and Sydney!

\r\n\r\n

Where will my career begin?

\r\n\r\n

Our recruitment process is a partnership. Our team will get to know you, what you’re interested in, the skills you will bring to the role and where you’re looking to grow. They’ll help recommend the best career pathway and connect you with the hiring team. Giving you the opportunity to better understand the role and make sure it is the right fit.

\r\n\r\n

How will I be supported?

\r\n\r\n

Your career at Datacom will kick off with the Talent Elevator Induction. A carefully curated induction programme which ensures you have the best start possible at Datacom. We fly all of our Early Careers cohort to Melbourne for a week of learning, connection and fun. You’ll get to know your peers, our leadership team and develop the core skills you’ll need to get started in your role. Throughout the 12 months of our programme you’ll have access to mentors, career coaching, social events and certifications!

\r\n\r\n

What teams are hiring?

\r\n\r\n

This list is growing everyday so please don’t hesitate to apply even if the below is not an exact match. Please note at this stage majority of our roles require a background or strong interest in Tech. 

\r\n\r\n

What areas do we usually hire for?

\r\n\r\n
    \r\n\t
  • Cloud
  • \r\n\t
  • Cyber
  • \r\n\t
  • Platforms
  • \r\n\t
  • Automation
  • \r\n\t
  • Networks
  • \r\n\t
  • Application Services
  • \r\n\t
  • Licensing 
  • \r\n
\r\n\r\n

Please note: Not all areas listed may be available, as opportunities are subject to business demand.

\r\n\r\n

What we’re looking for

\r\n\r\n
    \r\n\t
  • A self-starter – motivated and passionate about tech
  • \r\n\t
  • A great communicator
  • \r\n\t
  • Able to problem solve and think outside of the box
  • \r\n\t
  • Motivated with a great attitude
  • \r\n\t
  • Able to collaborate and work in a team
  • \r\n
\r\n\r\n

Why join us here at Datacom? 

\r\n\r\n

Datacom is one of Australia and New Zealand’s largest suppliers of Information Technology professional services. We have managed to maintain a dynamic, agile, small business feel that is often diluted in larger organisations of our size. It's our people that give Datacom its unique culture and energy that you can feel from the moment you meet with us. 

\r\n\r\n

We care about our people and provide a range of perks such as social events, chill-out spaces, remote working, flexi-hours and professional development courses to name a few. You’ll have the opportunity to learn, develop your career, connect and bring your true self to work. You will be recognised and valued for your contributions and be able to do your work in a collegial, flat-structured environment. 

\r\n\r\n

We operate at the forefront of technology to help Australia and New Zealand’s largest enterprise organisations explore possibilities and solve their greatest challenges, so you will never run out of interesting new challenges and opportunities. 

\r\n\r\n

We want Datacom to be an inclusive and welcoming workplace for everyone and take pride in the steps we have taken and continue to take to make our environment fun and friendly, and our people feel supported. 

", - "company": { - "name": "Datacom Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/datacom-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/3Xwt8-BUBCdK1kBNNCOx9f9uAtr1Ito_4nPH-ndTreM/1686724567/public/styles/scale_and_crop_center_80x80/public/2023-06/1686724564934_Datacom%20Favicon%20Symbol%20-%20For%20digital%20use.png" - }, - "application_url": "https://datacom.com/au/en/careers/search/job?id=20F181714E", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/datacom-australia-new-zealand/jobs-internships/early-careers-programme-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-08T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["IT & Computer Science", "Law, Legal Studies & Justice"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee42f" - }, - "title": "STEM Stream Graduate Program", - "description": "

Do you want to apply your studies in STEM to develop and deliver Australian Government policy and services? The Australian Government is looking for graduates with qualifications in Science, Technology, Engineering, and Mathematics.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

The Australian Government Graduate Program (AGGP) Science, Technology, Engineering and Mathematics (STEM) Stream offers you a unique opportunity to launch your career with the Australian Government and work across multiple STEM fields.

\r\n\r\n

We are looking for people who are collaborative, enthusiastic who are keen to work as part of a team to assist in shaping an Australian Government that meets the needs of all Australians.

\r\n\r\n

We encourage applications from diverse backgrounds and experiences. We strongly believe that diversity of experience, perspective, and background will lead to a better environment for our employees and better outcomes for Australia.

\r\n\r\n

Each participating agency co-ordinates their own graduate program, with its own work priorities and employee benefits. However, generally, the graduate program will consist of:

\r\n\r\n
    \r\n\t
  • Two/three work rotations to experience diverse roles and responsibilities across an APS department
  • \r\n\t
  • 12-month training and development program with targeted learning and development opportunities
  • \r\n\t
  • Development activities, formal training, on-the-job learning and networking
  • \r\n\t
  • APS and agency networking events
  • \r\n\t
  • Career coaching and competitive salary
  • \r\n\t
  • SES exposure and graduate networking events
  • \r\n
\r\n\r\n

As a STEM graduate within the APS you will be invited to several exclusive STEM focused events and networking opportunities throughout the year.

\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

We are seeking applications from anyone who has completed a minimum 3-year undergraduate degree within the last 5 years in a STEM field.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n
\r\n\r\n

Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency

\r\n\r\n

Most graduate roles are based in Canberra. Some roles may be available in other Australian cities and major regional centres.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/stem-stream-MC3TNZXVTBFNBWREZUTZI2MRN53I", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/stem-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee430" - }, - "title": "Data Scientists", - "description": "

The Australian Government is seeking recent university graduates to join the 2026 Australian Government Graduate program - Data Stream. 

\r\n\r\n

There are lots of roles on offer including Data Scientists.

\r\n\r\n

Roles filled through the Data Scientist stream include Applied Data Scientists, Data Science Developers and Data Modellers. Data Scientists apply advanced analytics techniques and scientific principles to extract valuable information from data for business decision-making, strategic planning and other uses.

\r\n\r\n

Qualifications and Experience: 

\r\n\r\n

To be eligible for the Data Science stream, you must have an undergraduate (AQF7) degree or higher and meet all other eligibility requirements as outlined below. In addition, you must either:

\r\n\r\n
    \r\n\t
  • have qualification/s in data science, statistics, computer science, mathematics, actuarial studies, physics, engineering, economics, econometrics, OR
  • \r\n\t
  • have qualification/s in any other disciplines with a strong quantitative component.
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n

The Australian Government has access to some of Australia’s largest and most unique data sets and provides endless opportunities for data professionals. As part of a graduate program in the Australian Government, you will:

\r\n\r\n
    \r\n\t
  • have access to over 40 different departments and agencies
  • \r\n\t
  • be placed in a permanent, full-time role
  • \r\n\t
  • receive generous leave entitlements
  • \r\n\t
  • be valued for your unique perspective and diverse views
  • \r\n\t
  • have the chance to work across all aspects of government such as policy development, program management and service delivery
  • \r\n\t
  • receive formal and on-the-job training and mentorship
  • \r\n\t
  • do meaningful work
  • \r\n\t
  • receive a competitive salary
  • \r\n\t
  • be able to make a difference to our society.
  • \r\n
\r\n\r\n

Where you can work

\r\n\r\n

Most positions are available in Adelaide, Brisbane, Canberra, Geelong, Hobart, Melbourne, Newcastle, Perth, Sydney.

\r\n\r\n


\r\nWhat is the Australian Government Graduate Program - Data Stream?

\r\n\r\n

The Australian Government Graduate Program (AGGP) - Data Stream is a program offering recent graduates permanent employment across the Australian Government. The Data Stream is led by the Australian Bureau of Statistics who recruit for data roles on behalf of over 40 Australian Government and Commonwealth agencies across Australia. There will be about 300 positions across the participating agencies. 

\r\n\r\n

Are you eligible?

\r\n\r\n

To be eligible you must:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • have completed your most recent, eligible qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance if required
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
", - "company": { - "name": "Australian Bureau of Statistics (ABS)", - "website": "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs", - "logo": "https://connect-assets.prosple.com/cdn/ff/1ef9o69alrtqgHYSp1sDfVeptyWtGazugwN7m_uuq_Y/1635915251/public/styles/scale_and_crop_center_80x80/public/2021-11/logo-australian-bureau-of-statistics-480x480-2021_0.jpg" - }, - "application_url": "https://abs.nga.net.au/?jati=F56BBBEF-0015-34A5-5AF4-DA90072EBA1E", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-bureau-of-statistics-abs/jobs-internships/data-scientists-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee431" - }, - "title": "2025 Software Development Internship - Sydney", - "description": "Susquehanna is looking for curious problem solvers in their penultimate year of university to join our 2025 Software Development Internship Program.", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.gradconnection.com/employers/susquehanna-international-group", - "logo": "https://media.cdn.gradconnection.com/uploads/e0f736e2-e850-44cf-8f24-403715f73268-SUSQ_YouTube_icon_408x408.jpg" - }, - "application_url": "https://bit.ly/4gVj51L", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/susquehanna-international-group/jobs/susquehanna-international-group-2025-software-development-internship-sydney" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-30T05:24:00.000Z" - }, - "locations": ["NSW"], - "study_fields": ["Computer Science"], - "working_rights": ["AUS_CITIZEN", "INTERNATIONAL", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee432" - }, - "title": "Graduate Media Process Client SDK Software Engineer (Live Streaming)", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Team Introduction

\r\n\r\n

The global stream media team builds a competitive live streaming and RTC end-to-end solution for TikTok. We focus on the transmission network and multimedia processing in the mobility SDK, and we also build data foundation and analysis capabilities, drive product refined operation, reduce costs and increase efficiency.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Developing mobile audio and video in live player or pusher SDK, and continuously improving performance.
  • \r\n\t
  • Participate in feature requirements reviewing, code writing, and performance optimization.
  • \r\n\t
  • Participate in formulation of coding specifications, improvement of software development productivity;
  • \r\n\t
  • Participate in construction of automation testing systems, to ensure the quality and stability of SDK
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year student or recent graduate (within the last 12 months) with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Solid experience in writing and reviewing code in mobile C/C++/Java
  • \r\n\t
  • Familiarity with at least one mobile development and debugging environment, such as iOS or Android
  • \r\n\t
  • Familiarity with audio and video processing systems in iOS or Android
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Strong problem-solving skills and excellent debugging/troubleshooting abilities
  • \r\n\t
  • Passion for self-studying and staying up-to-date with relevant technologies
  • \r\n\t
  • Strong communication and collaboration skills
  • \r\n\t
  • Willingness to take ownership and responsibility
  • \r\n\t
  • Experience with live streaming technologies or multimedia protocols
  • \r\n\t
  • Knowledge of software design patterns and architectural principles
  • \r\n\t
  • Familiarity with agile software development methodologies
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7289185881121671482?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-media-process-client-sdk-software-engineer-live-streaming" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee433" - }, - "title": "Backend Software Engineer, Trust and Safety Engineering", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

At TikTok, our people are humble, intelligent, compassionate and creative. We create to inspire - for you, for us, and for more than 1 billion users on our platform. We lead with curiosity and aim for the highest, never shying away from taking calculated risks and embracing ambiguity as it comes. Here, the opportunities are limitless for those who dare to pursue bold ideas that exist just beyond the boundary of possibility. Join us and make impact happen with a career at TikTok.

\r\n\r\n

The Trust and Safety(TnS) engineering team is responsible for protecting our users from harmful content and abusive behaviors. With the continuous efforts of our trust and safety engineering team, TikTok can provide the best user experience and bring joy to everyone in the world. Our team is responsible for achieving goals by building content moderation process systems, rule engine, strategy systems, feature engine, human moderation platforms, risk insight systems and all kinds of supportive platforms across TnS organization.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Build a highly scalable, efficient and robust trust, and safety platform and tools;
  • \r\n\t
  • Understand product objectives to develop an easy-to-use platform that aligns with customers' needs;
  • \r\n\t
  • Collaborate with trust and safety specialists, experts, and machine learning engineers;
  • \r\n\t
  • Improve system design and architecture to ensure high stability and performance of the services;
  • \r\n\t
  • Work with Trust and Safety teams to protect TikTok globally.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline;
  • \r\n\t
  • Proficiency in designing data structures, building algorithms, and at least one programming language: Go/Python/PHP/C++/C/Java;
  • \r\n\t
  • Passionate and experience in challenging problem-solving techniques with related internet products;
  • \r\n\t
  • Curiosity towards new technologies and entrepreneurship, excellent communication and teamwork skills and high levels of creativity and quick problem-solving capabilities.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7261843973399857445?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-software-engineer-trust-and-safety-engineering-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee434" - }, - "title": "First Nations Internship & Scholarship Program", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Collaborate with client project teams in Brisbane, Melbourne, Perth, Canberra, or Sydney.
  • \r\n\t
  • Gather and analyze information to develop and communicate recommendations.
  • \r\n\t
  • Participate actively in all aspects of client engagement.
  • \r\n\t
  • Conduct interviews, lead client teams, and build financial models.
  • \r\n\t
  • Create and deliver presentations with McKinsey subject experts.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will:

\r\n\r\n
    \r\n\t
  • Identify as First Nations.
  • \r\n\t
  • Be currently studying an undergraduate or postgraduate degree in any discipline from a recognized Australian institution.
  • \r\n\t
  • Be strong problem solvers who enjoy challenges.
  • \r\n\t
  • Have the ability to work effectively in a team environment.
  • \r\n\t
  • Possess good written and oral communication skills.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Offers a $20,000 scholarship, paid consulting internship opportunities, and a pathway to a full-time role.

\r\n\r\n

Training & development

\r\n\r\n

Provides ongoing coaching and mentoring, with opportunities to connect with past internship and scholarship winners.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement with support in planning the next several years of your career.

", - "company": { - "name": "McKinsey & Company Australia", - "website": "https://au.prosple.com/graduate-employers/mckinsey-company", - "logo": "https://connect-assets.prosple.com/cdn/ff/0om-EP3fe5DJFzQqIq9S5a4S-pvbn6Er8yrzOgJmDeE/1630924343/public/styles/scale_and_crop_center_80x80/public/2021-09/Mckinsey%20Logo.png" - }, - "application_url": "https://www.mckinsey.com/careers/search-jobs/jobs/intern-firstnationsinternshipscholarshipprogram-76992", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mckinsey-company-australia/jobs-internships/first-nations-internship-scholarship-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee435" - }, - "title": "Environmental Science Graduate Development Program", - "description": "

About the graduate development program

\r\n\r\n

The Clean Energy Regulator Graduate Development Program will provide graduates with the opportunity to develop a well-rounded knowledge of the work of the agency, gain experience in the public sector and foster an understanding of Australia’s biggest policy developments.

\r\n\r\n

Participants of the 2025 Graduate Program will experience:

\r\n\r\n
    \r\n\t
  • 3 rotations over an 11-month program, commencing 3 February 2026
  • \r\n\t
  • an intensive and engaging development program
  • \r\n\t
  • a calendar of learning and development, networking events and activities
  • \r\n\t
  • a mentor and buddy program to assist you throughout the process
  • \r\n\t
  • a guaranteed position on successful completion of the program
  • \r\n
\r\n\r\n

To be eligible for this program, you will need to:

\r\n\r\n
    \r\n\t
  • have completed an undergraduate degree or higher in the last three years (2022 onwards), or be in your last year of study (to be completed by January 2025)
  • \r\n\t
  • have maintained a credit (or equivalent) average throughout your degree.
  • \r\n\t
  • be an Australian citizen and able to obtain and maintain a security clearance at the Baseline level.
  • \r\n\t
  • be willing to relocate to Canberra (relocation assistance will be offered to successful candidates).
  • \r\n
\r\n\r\n

We are looking for high-calibre, motivated graduates with a wide range of backgrounds and qualifications, including but not limited to:

\r\n\r\n
    \r\n\t
  • Business, commerce, economics and other related disciplines
  • \r\n\t
  • Mathematics, statistics, data science, and other related disciplines
  • \r\n\t
  • Law, political science, policy and environmental studies and other related disciplines
  • \r\n\t
  • Engineering, technology, science and other related disciplines
  • \r\n
\r\n\r\n

We are looking for candidates who can demonstrate the following:

\r\n\r\n
    \r\n\t
  • Ability to work collaboratively to achieve results.
  • \r\n\t
  • Ability to “think outside the box” and offer insight into critical issues.
  • \r\n\t
  • Ability to be flexible, open to change and “roll with the punches”.
  • \r\n\t
  • Ability to make sound situational judgments.
  • \r\n\t
  • Ability to build productive relationships with colleagues and stakeholders.
  • \r\n\t
  • An open mind and willingness to learn, grow and develop yourself and others.
  • \r\n
\r\n\r\n

We welcome and strongly encourage applications from Aboriginal and Torres Strait Islander people, people from a culturally or linguistically diverse background, people with a disability and mature-aged candidates. Applicants are encouraged to indicate this in their application.

\r\n\r\n

Your application should include: 

\r\n\r\n
    \r\n\t
  • Your resume/CV
  • \r\n\t
  • A copy of your most recent academic transcript
  • \r\n\t
  • The details for the two referees
  • \r\n\t
  • Let us know, in between 500 and 750 words what your understanding of our Graduate Program is
  • \r\n\t
  • How you envisage completing the 2025 Graduate Program will fit with your broader career goals/aspirations
  • \r\n\t
  • What part of the Program do you think you would get the most benefit from?
  • \r\n
", - "company": { - "name": "Clean Energy Regulator", - "website": "https://au.prosple.com/graduate-employers/clean-energy-regulator", - "logo": "https://connect-assets.prosple.com/cdn/ff/ciB1YReIRda_sFckX8UaiKD4u9HjeQuef5J9MfZdWQM/1681290171/public/styles/scale_and_crop_center_80x80/public/2023-04/1681290168869_RECOMMENDED%20-%20Australian%20Government%20crest%20with%20CER%20-%20stacked%20square.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/clean-energy-regulator/jobs-internships/environmental-science-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-29T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee436" - }, - "title": "Graduate Program", - "description": "

We are looking for intelligent, curious graduates with an interest in solving complex commercial problems.

\r\n\r\n

At EY Port Jackson Partners, you will work alongside exceptionally talented people in our small project teams as you help our clients to solve their most challenging problems. You will rapidly develop a broad range of skills as you learn from experienced Partners and colleagues on interesting and impactful projects across industries and geographies.

\r\n\r\n

A background in business is not required – our strategy consultants come from a diverse range of academic backgrounds including science, engineering, arts, law, medicine, economics and commerce. They share a commitment to making a real impact on our clients and community with their outstanding leadership, critical thinking, communication and teamwork skills.

\r\n\r\n

EY Port Jackson Partners might be the place for you if:

\r\n\r\n
    \r\n\t
  • You have outstanding academic performance and interesting extracurricular activities
  • \r\n\t
  • You are astute, insightful, analytical and interested in solving complex commercial problems that make a real difference
  • \r\n\t
  • You want to work in smaller close-knit teams alongside great people
  • \r\n\t
  • You want the connection and flexibility that comes with a smaller practice, without compromising the quality of your top-tier strategy consulting experience
  • \r\n
", - "company": { - "name": "EY Port Jackson Partners", - "website": "https://au.prosple.com/graduate-employers/ey-port-jackson-partners", - "logo": "https://connect-assets.prosple.com/cdn/ff/dFf2HbTVtF97zBcKJ-eq8oRivXxeJrrV3E6-JsBk-DU/1612916240/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-ey-port-jackson-partners-480x480-2021.png" - }, - "application_url": "https://eyportjacksonpartners.com/story/graduate-program/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ey-port-jackson-partners/jobs-internships/graduate-program-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-02T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee437" - }, - "title": "Graduate Software Developer", - "description": "

Are you interested in becoming a Graduate Software Developer at Susquehanna? 
\r\n
\r\nSusquehanna is one of the world’s largest market makers, with a unique approach to technology, trading, and research. While this background puts us at the top of our game, what really makes us successful is our cutting-edge technology, collaboration between our technologists and traders, and our decision making. 

\r\n\r\n

 Susquehanna is looking for recent and upcoming graduates to join our high performing technologists in Sydney. This is a great opportunity to sharpen your technical skills, learn about the trading industry, and understand the fundamentals of risk-based decision making.

\r\n\r\n

 You’ll work on innovative technologies with experienced engineers on the development, delivery, support, and enhancements of our trading systems and infrastructure.

\r\n\r\n

 What You Could Work On:

\r\n\r\n
    \r\n\t
  • Designing and developing low-latency trading systems for our trading desks
  • \r\n\t
  • Developing high-performance low-level C++ / C# code for handling the first steps of our market data processes
  • \r\n\t
  • Conducting technology research projects related to scale and performance with open-source tools
  • \r\n\t
  • Developing applications and services that receive and store trading activity
  • \r\n\t
  • Creating tools to improve system efficiency using performance data
  • \r\n\t
  • Building complex trading strategies, as well as having access to tens of petabytes of market and trading data for analysis. 
  • \r\n
\r\n\r\n

With guidance and mentoring from your team, you’ll get hands-on experience beginning on your first day. The education associated with this program aims to familiarise you with our technology environment, our business, current industry topics pertaining to technology, and how we apply decision science at Susquehanna.

\r\n\r\n

What we're looking for

\r\n\r\n
    \r\n\t
  • BS or MS in Computer Science, Computer Engineering, or a similar major, distinction average WAM, from an Australian or New Zealand University
  • \r\n\t
  • Strong software development skills in any object-oriented language (we use C++, C#  and Python the most)
  • \r\n\t
  • Experience developing performance sensitive code is a plus
  • \r\n\t
  • Well-developed analytical and problem-solving skills, with the ability to identify a problem, evaluate it, and suggest solutions
  • \r\n\t
  • Ability to collaborate with a team while having the confidence to work independently
  • \r\n\t
  • Flexible and driven with a commitment to innovation
  • \r\n\t
  • Ability and desire to work in a fast paced, dynamic environment
  • \r\n\t
  • Excellent verbal and written communication skills
  • \r\n
\r\n\r\n

What's in it for you:

\r\n\r\n
    \r\n\t
  • Our market leading education program, incorporating classroom theory and simulated learning.
  • \r\n\t
  • Our non-hierarchical culture allows employees of every level to thrive and make impact. We are not your typical trading firm – the environment is casual, collaborative and we focus on continuous development.
  • \r\n\t
  • Highly competitive remuneration, attractive bonus and additional leave entitlements.
  • \r\n\t
  • Private healthcare and gym allowances, plus wellness initiatives.
  • \r\n\t
  • Fully stocked kitchen - daily breakfast and lunch.
  • \r\n\t
  • Regular social, sporting and community events.
  • \r\n\t
  • Visa sponsorship and relocation package where required.
  • \r\n\t
  • Explore our benefits and culture link
  • \r\n
\r\n\r\n

Watch Selina’s “Day in the life” as a Software Developer!

\r\n\r\n

\r\n\r\n

Our Interview Process:

\r\n\r\n
    \r\n\t
  1. Application
  2. \r\n\t
  3. Online Assessment 
  4. \r\n\t
  5. Recruiter Conversation
  6. \r\n\t
  7. Technical screen (LiveCoding)
  8. \r\n\t
  9. Office Interview (Design & Team Fit)
  10. \r\n\t
  11. Job Offer
  12. \r\n
\r\n\r\n

Equal Opportunity Statement:

\r\n\r\n

We encourage applications from candidates from all backgrounds, and we welcome requests for reasonable adjustments during the recruitment process to ensure that you can best demonstrate your abilities. If you have any questions, please contact sydneycampus@sig.com.

\r\n\r\n

Susquehanna does not accept unsolicited resumes from recruiters or search firms. Any resume or referral submitted in the absence of a signed agreement will become the property of Susquehanna and no fee will be paid.

", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.prosple.com/graduate-employers/susquehanna-international-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/CeoRFXWes8A54S2HkF0mOm8DoZynsKaytsT9ZbKDUfg/1726628071/public/styles/scale_and_crop_center_80x80/public/2024-09/logo-sig-480x480-2024.jpg" - }, - "application_url": "https://careers.sig.com/job/8439/Graduate-Software-Developer-2026/?utm_source=prosple&utm_medium=referral&utm_campaign=01152025-syd-prosple-2025-lb&utm_content=grad-software-dev", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/susquehanna-international-group/jobs-internships/graduate-software-developer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee438" - }, - "title": "Graduate Climate and Energy Consultant", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Provide analysis and advice on business risks under various climate change scenarios and recommend adaptation strategies.
  • \r\n\t
  • Support clients in securing funding for energy reduction projects, including government incentives and third-party finance.
  • \r\n\t
  • Assist in delivering energy procurement and carbon strategies, from standard procurement to power purchase agreements.
  • \r\n\t
  • Conduct site assessments and develop business cases for renewable energy and energy efficiency improvements.
  • \r\n\t
  • Help clients with inventory development and compliance with reporting requirements under relevant environmental regulations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A tertiary education in engineering, environmental science, data science, economics, or a related field.
  • \r\n\t
  • Recent graduation or up to 2 years of experience.
  • \r\n\t
  • Ability to manage multiple projects and meet deadlines in a consulting environment.
  • \r\n\t
  • Strong multitasking, flexibility, and independent working skills.
  • \r\n\t
  • Enthusiasm for learning new digital tools and applications.
  • \r\n\t
  • Excellent communication, organizational, and analytical skills.
  • \r\n\t
  • Dependability, integrity, respect, and a strong client focus.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary with opportunities for bonuses. Access to healthcare benefits and a supportive, inclusive work environment.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for professional development and mentorship programs to enhance skills and career growth.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement within ERM, with opportunities to work on significant projects and with leading clients.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by completing the required form and providing your resume and cover letter. Ensure all documents are up-to-date and reflect your qualifications and experience.

\r\n\r\n

Report this job

", - "company": { - "name": "ERM Australia", - "website": "https://au.prosple.com/graduate-employers/erm-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/2U1S2ReohJex0wObOq_ZMM6SkPsfCM2-3ErwI0lwzRE/1647120449/public/styles/scale_and_crop_center_80x80/public/2022-03/erm-australia-logo.png" - }, - "application_url": "https://erm.wd3.myworkdayjobs.com/en-US/erm_careers/job/Sydney-Australia/Graduate-Climate-and-Energy-Consultant_R00024916?q=graduate&Location_Country=d903bb3fedad45039383f6de334ad4db", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/erm-australia/jobs-internships/graduate-climate-and-energy-consultant" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee439" - }, - "title": "Generalist Graduate (Home & Energy)", - "description": "

What our Program offers:  

\r\n\r\n
    \r\n\t
  • A 12- month program that includes three, four-month rotations within a broad & dynamic organisation
  • \r\n\t
  • Ranked in the Grad Australia top 100 Graduate Programs 2023
  • \r\n\t
  • Support network of mentors, buddies & a dedicated graduate program manager to ensure you are supported through your journey
  • \r\n\t
  • 7 graduate specific learning modules facilitated by our Learning team to help you acclimatise to corporate life
  • \r\n\t
  • Exposure to Senior Leaders, through meet & greet sessions tailored to the graduate program
  • \r\n\t
  • A capstone project where you will get to work with other graduates on a business problem & present your recommendations to senior leaders
  • \r\n
\r\n\r\n

About the Opportunity   

\r\n\r\n

Commencing in January 2026, we have multiple positions in our Generalist stream offering three 4-month rotations across various parts of our business. Rotations may include areas such as:  

\r\n\r\n
    \r\n\t
  • RACV Home Insurance and Trade products and services
  • \r\n\t
  • Energy Services and new energy projects
  • \r\n\t
  • Business Operations
  • \r\n
\r\n\r\n

You’ll manage and contribute to significant and meaningful projects whilst expanding your skills, challenging yourself and taking momentous steps in building your career. You will be supported through a structured learning and development program, formal rotations, mentor programs, various on the job activities and more!   

\r\n\r\n

What you’ll need to be successful   

\r\n\r\n

At RACV, we understand that everyone is unique and has a different background. To be considered for our program you will need;  

\r\n\r\n
    \r\n\t
  • Bachelor’s Degree in Business, Commerce, Marketing or Finance or similar
  • \r\n\t
  • Completed studies within the last 2 years
  • \r\n\t
  • Strong communication and interpersonal skills
  • \r\n\t
  • Strong relationship builder and team player
  • \r\n\t
  • Strong mental agility with an eagerness to learn and grow with the business
  • \r\n\t
  • Previous work experience in a similar field advantageous
  • \r\n
\r\n\r\n

Great things start here   

\r\n\r\n

Be part of a purpose-driven organisation creating meaningful travel and leisure experiences, useful home products and services, better outcomes for drivers, and a cleaner energy future. Have impact on the industries we’re committed to improving while shaping your own future. Be inspired by a team who backs each other, with policies that support you, and benefits you’ll use.  We’re proud to offer the kind of opportunities only a diverse business can provide. That’s why the best is always yet to come at RACV.  

\r\n\r\n

The RACV difference   

\r\n\r\n

Curious about where this role could take you? At RACV, we leave that up to you. Explore endless opportunities, find unexpected pathways, set long-term goals, and grow your career in more ways than one.    

\r\n\r\n

Application process   

\r\n\r\n

As part of the application process, please include your resume, a brief cover letter and your preferred program stream.  

\r\n\r\n

RACV will consider reasonable adjustments during the application and/or hiring process to provide equal opportunity for applicants. Should you require reasonable adjustments during these processes, please email us at graduates@racv.com.au

\r\n\r\n

Please note that that reasonable adjustments required due to any medical conditions (including disabilities, illness, and work-related injuries) that you may have that impact your ability to undertake the inherent requirements of the role being applied for, as set out in the position description, must be provided to and considered by RACV, separate from any reasonable adjustments sought during the application and/or hiring process.

\r\n\r\n

Applicants will be required to provide evidence of their eligibility to work in Australia, and at a minimum be required to undertake police checks as a condition of employment.  

", - "company": { - "name": "RACV", - "website": "https://au.prosple.com/graduate-employers/racv", - "logo": "https://connect-assets.prosple.com/cdn/ff/b-vpJ19FYQKiMCOgWBun4JUoc6JD3JqiXCzpyHQMsCo/1647600464/public/styles/scale_and_crop_center_80x80/public/2022-03/logo-racv-480x480-2022.jpg" - }, - "application_url": "https://careers.racv.com.au/job/485-Bourke-Street-Melbourne-Graduate-Generalist-%28Home-&-Energy%29/1052744366/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/racv/jobs-internships/generalist-graduate-home-energy-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-14T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43a" - }, - "title": "CSIRO Industry PhD Scholarship Program", - "description": "
    \r\n\t
  • Gain experience working with industry to solve real-world problems while you earn your PhD 
  • \r\n\t
  • Develop transferable professional skills 
  • \r\n\t
  • Get access to specialised expertise, equipment and training
  • \r\n
\r\n\r\n

The CSIRO Industry PhD Scholarship (PhD) Program is an industry-focused, applied research scholarship and training program that brings together an industry partner, the university and CSIRO. 

\r\n\r\n

You will undertake a co-designed research project that will develop your ability to translate research into commercial outcomes. 

\r\n\r\n

You will get real-world experience and access to specialised expertise, equipment and training.

\r\n\r\n

Our graduates develop transferable professional skills and are well positioned to work at the cutting edge of industry focussed research. 

\r\n\r\n

Scholarship details 

\r\n\r\n

The Program includes:

\r\n\r\n
    \r\n\t
  • admission to the university PhD program
  • \r\n\t
  • a four-year scholarship package of approx. $46,000 per annum
  • \r\n\t
  • a four-year project expense and development package of up to $13,000 per annum
  • \r\n\t
  • a three-month internship with your industry partner
  • \r\n\t
  • professional development training to enhance your applied research skills
  • \r\n\t
  • supervision by CSIRO, the industry partner and the university.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply you must:

\r\n\r\n
    \r\n\t
  • be an Australian citizen or permanent resident, or a New Zealand citizen
  • \r\n\t
  • meet host university PhD admission requirements
  • \r\n\t
  • meet university English language requirements
  • \r\n\t
  • not have previously completed a PhD
  • \r\n\t
  • be able to commence the program in the year of the offer
  • \r\n\t
  • enrol as a full-time PhD student
  • \r\n\t
  • be prepared to be located at the project location(s) that the host university has approved and, if required, comply with the host university’s external enrolment procedures
  • \r\n
\r\n\r\n

Applications will be assessed on:

\r\n\r\n
    \r\n\t
  1. Experience relevant to the field of research, including any research experience
  2. \r\n\t
  3. Suitability for the project
  4. \r\n\t
  5. Academic excellence
  6. \r\n\t
  7. Motivation for undertaking an Industry PhD project
  8. \r\n
\r\n\r\n

About CSIRO

\r\n\r\n

At CSIRO Australia's national science agency, we solve the greatest challenges through innovative science and technology. We put the safety and well-being of our people above all else and earn trust everywhere because we only deal in facts. We collaborate widely and generously and deliver solutions with real impact. 

\r\n\r\n

Further information about the CSIRO Industry PhD Program can be found at our website.

\r\n\r\n

How to apply:

\r\n\r\n

For further information about the CSIRO Industry PhD Program and how to apply, visit our current scholarship website.  

\r\n\r\n

Applications Close

\r\n\r\n

This advertisement will remain open until filled. Early applications are strongly encouraged.

", - "company": { - "name": "CSIRO", - "website": "https://au.prosple.com/graduate-employers/csiro", - "logo": "https://connect-assets.prosple.com/cdn/ff/RoTOUELI5240IvxUbWpWdFMlae1zr1yPMKlkf28ZiGY/1675998328/public/styles/scale_and_crop_center_80x80/public/2023-02/1675998322827_CSIRO_Solid_RGB_300px.png" - }, - "application_url": "https://jobs.csiro.au/job-invite/94678/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/csiro/jobs-internships/csiro-industry-phd-scholarship-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-26T12:59:59.000Z" - }, - "locations": ["AUSTRALIA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "INTERNATIONAL"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43b" - }, - "title": "Project Management Intern - AI Data (Safety Operations)", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About Trust & Safety

\r\n\r\n

Our Trust & Safety team's commitment is to keep our online community safe. We have invested heavily in human and machine-based moderation to remove harmful content quickly and often before it reaches our general community.

\r\n\r\n

About the team

\r\n\r\n

Our mission is to build a world where people can safely discover, create and connect. The AI Data Service and Eco Operations (ADSEO) team is responsible for the operation of security model training, and iteration under TikTok and other International products, to ensure product security and create a good atmosphere for content creation and community interaction.

\r\n\r\n

The Safety Operations team is responsible for undertaking international product safety & related model data labelling for business improvement strategies. This includes training and optimizing the existing safety and related models, verifying the effect of the models, assisting in the optimization of safety & related strategies, improving moderation efficiency and ensuring the safety of the platform and users.

\r\n\r\n

As a project intern, you will have the opportunity to engage in impactful short-term projects that provide you with a glimpse of professional real-world experience. You will gain practical skills through on-the-job learning in a fast-paced work environment and develop a deeper understanding of your career interests.
\r\nAs an intern of the ADSEO team, you will have the opportunity to have an immersive experience in the fast-growing space of AI and contribute to the development of cutting-edge products.

\r\n\r\n

Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Successful candidates must be able to commit to the following internship cycles below:

\r\n\r\n
    \r\n\t
  • Off Cycle / Credit Bearing Internship - Starting from Jan 2025 (latest)
  • \r\n
\r\n\r\n

We will prioritize candidates who are able to commit to the above internship period. Please state your availability clearly in your resume (Start date, End date).

\r\n\r\n

It is possible that this role will be exposed to harmful content as part of the core role/as part of project/ in response to escalation requests/by chance.

\r\n\r\n

Some content viewed may violate our community guidelines which include but are not limited to bullying; hate speech; child abuse; sexual assault; torture; bestiality; self-harm; suicide; murder.

\r\n\r\n

What will I be doing?

\r\n\r\n
    \r\n\t
  • Support labeling projects and uphold efficiency and quality by preparing and monitoring key project metrics
  • \r\n\t
  • Skillfully use business platforms and other tools to monitor and analyze the progress of the project in time to ensure the successful delivery of the project;
  • \r\n\t
  • Provide regular project updates and improve the overall project experience in our business domain
  • \r\n\t
  • Assist the team to analyse project data to facilitate data driven decisions
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

What should I bring with me?

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Actively enrolled university students who can commit to the role for at least 3 months and above ideally with a minimum of 4 working days per week.
  • \r\n\t
  • Ability to quickly understand and grasp business knowledge and model training processes.
  • \r\n\t
  • Strong communication and written skills in English.
  • \r\n\t
  • Good data analysis and project management skills.
  • \r\n\t
  • Strong coordination, collaborative, and time management skills; is able to work in a fast-paced, multi-cultural/international and dynamic environment.
  • \r\n\t
  • Be proactive and responsible in process optimization for effective management.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Solid interest in social content products and a knack/eye for social trends.
  • \r\n\t
  • Solid interest in project management and a keen eye for emerging social trends.
  • \r\n
\r\n\r\n

Trust & Safety recognises that keeping our platform safe for TikTok communities is no ordinary job which can be both rewarding and psychologically demanding and emotionally taxing for some. This is why we are sharing the potential hazards, risks and implications in this unique line of work from the start, so our candidates are well informed before joining.
\r\nWe are committed to the wellbeing of all our employees and promise to provide comprehensive and evidence-based programs, to promote and support physical and mental wellbeing throughout each employee's journey with us. We believe that wellbeing is a relationship and that everyone has a part to play, so we work in collaboration and consultation with our employees and across our functions in order to ensure a truly person-centred, innovative and integrated approach.

\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7415512464958638345?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/project-management-intern-ai-data-safety-operations-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43c" - }, - "title": "National Graduate Program - Service Delivery Stream", - "description": "

The ideal candidate  

\r\n\r\n

We want graduates who are bold and forward-thinking and who can bring big ideas.
\r\n  
\r\nWe're looking for a range of people to join us and are committed to providing an inclusive workplace. We value our staff for their unique qualities, ideas and perspectives and support all staff to bring their whole self to work.  

\r\n\r\n

Service delivery staff are the face and voice of Services Australia. We’re looking for graduates with all degree types who have a passion for delivering world-class services to our customers in a simple, helpful, respectful and transparent way.

\r\n\r\n

You can apply to both our service delivery and generalist streams. If you’re assessed as suitable for both streams, we’ll try to match you in the service delivery stream first.

\r\n\r\n

Once you start, you’ll stay in the service delivery stream for the duration of the program.

\r\n\r\n

In the service delivery stream you’ll be part of the Customer Service Delivery Group, which is responsible for:

\r\n\r\n
    \r\n\t
  • operating the smart and service centres which deliver Medicare, Child Support and Centrelink services
  • \r\n\t
  • coordinating emergency responses
  • \r\n\t
  • developing and delivering Indigenous and multicultural servicing strategies.
  • \r\n
\r\n\r\n

What you'll get  
\r\n  
\r\nWe offer:  

\r\n\r\n
    \r\n\t
  • a competitive salary, ranging between $66,310 - $73,906 depending on your qualification level
  • \r\n\t
  • progression to an APS5 classification at successful completion of the program
  • \r\n\t
  • a range of development opportunities to shape your career in the Australian Public Service 
  • \r\n\t
  • flexible working arrangements to help you maintain your work-life balance
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n\t
  • employer superannuation contributions of 15.4%
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n
\r\n\r\n

Why you should work for us  

\r\n\r\n

We make government services simple so people can get on with their lives.   

\r\n\r\n

Every hour of every day in Australia, people in need turn to the Australian Government for help. In those moments, our agency responds.  

\r\n\r\n

We rise to challenges fuelled by the knowledge that what we do matters. Our work can be challenging but is also rewarding, and suits people who are resilient and embrace innovation and change. We help customers at key moments in their lives. Whether helping customers, supporting strategic policy, leading whole-of-government initiatives, or excelling in various roles, everyone in the agency makes a real difference to Australians.

\r\n\r\n

We're an agency that helps people and we're committed to progress, constantly moving forward to deliver services that are simple, helpful, respectful and transparent.   

\r\n\r\n

Eligibility  

\r\n\r\n

To be eligible for the program, you must be an Australian citizen.

\r\n\r\n

You’ll need to have successfully passed and completed:

\r\n\r\n
    \r\n\t
  • an undergraduate degree within the last 5 years
  • \r\n\t
  • a postgraduate degree within the last 5 years.
  • \r\n
\r\n\r\n

If you got your degree overseas, you’ll need to have it recognised by the Department of Education.

\r\n\r\n

Inclusivity  

\r\n\r\n

We're committed to providing a work environment that values inclusion and diversity and supports all staff to reach their full potential. We have a range of workplace diversity and inclusion strategies, policies and initiatives in place to achieve this.  

\r\n\r\n

Our program includes an Affirmative Measure to help employ Indigenous Australians. You can apply to our program using this measure, through the Australian Public Service Commission's Indigenous Graduate Pathway.   

\r\n\r\n

We also have an Affirmative Measure for Australians with disability. Our team would be happy to talk with you about any reasonable adjustment you may need.

", - "company": { - "name": "Services Australia", - "website": "https://au.prosple.com/graduate-employers/services-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/ZxPQFTsQhZnrEf1GNVnZR8yVWT5fLKhPUReaGeJwZ6M/1590466630/public/styles/scale_and_crop_center_80x80/public/2020-05/logo-services-australia-480x480-2020.png" - }, - "application_url": "https://www.servicesaustralia.gov.au/national-graduate-program?context=1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/services-australia/jobs-internships/national-graduate-program-service-delivery-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43d" - }, - "title": "Information Technology Graduate Program", - "description": "

We are currently accepting applications for our 2025 Graduate Program.  

\r\n\r\n

What our two-year Graduate Program offers: 

\r\n\r\n

Kicking off in February 2026, you will begin your permanent role with your first job placement which is carefully selected based on your foundational skills and interest areas, ensuring you are set up for success.  

\r\n\r\n
    \r\n\t
  • Total Fixed Remuneration (TFR) $84,000.00 Inclusive of Superannuation reviewed annually so that you are rewarded for your effort and dedication.
  • \r\n\t
  • A learning journey that meets you where you’re at with individualised learning to grow your skillset.
  • \r\n\t
  • Mentoring opportunities with colleague's who are considered experts in their field, and who care about your future.
  • \r\n\t
  • Work that has purpose. We build some of the most exciting projects in the country.  You’ll be contributing to legacy projects that transform the lives of everyday Australians and New Zealanders.
  • \r\n
\r\n\r\n

What your role may include:

\r\n\r\n
    \r\n\t
  • Assisting with the monitoring of internal and third-party applications across the enterprise.
  • \r\n\t
  • Assisting with investigating, resolving applications 
    \r\n\tissues, and implementing site-specific or general 
    \r\n\tmodifications and workarounds in relation to 
    \r\n\tapplications issues.
  • \r\n\t
  • Adhering to established enterprise safety, 
    \r\n\toperational, security and quality standards, 
    \r\n\tprocedures, and processes.
  • \r\n
\r\n\r\n

We have opportunities in the following Business Units for recent Information Technology graduates.

\r\n\r\n
    \r\n\t
  • Information Technology
  • \r\n
\r\n\r\n

Why John Holland?

\r\n\r\n

At John Holland, our purpose is simple – we transform lives with everything we do. 

\r\n\r\n

We’ve always known that infrastructure is about people — our customers, our employees, and the communities in which we work every day. 

\r\n\r\n

That’s our difference. Deep experience and capability with a genuine care about creating better lives for people along the way. 

\r\n\r\n

Be part of the team that’s up for the challenge of transforming lives for good. 

\r\n\r\n
    \r\n\t
  • Learning and development opportunities
  • \r\n\t
  • Great leave benefits
  • \r\n\t
  • Flexible working
  • \r\n\t
  • Employee Benefits Program
  • \r\n
\r\n\r\n

Inclusion, diversity and equity

\r\n\r\n

Inclusion, diversity and equity is part of how we work. We want everyone at John Holland to feel that they belong - that's why we're working hard every day to foster a more inclusive culture, backed by a business-wide inclusion strategy to bring about meaningful change. We also have active employee resource groups that support our commitments including those around gender equality and reconciliation.

\r\n\r\n

Make It Yours!

\r\n\r\n

We pride ourselves on living by our values and offering a caring, empowering, imaginative and future-focused career. If that's important to you too, then apply for a position in our Graduate Program.

\r\n\r\n

Start a life-transforming journey today, Pre-register now!

", - "company": { - "name": "John Holland", - "website": "https://au.prosple.com/graduate-employers/john-holland", - "logo": "https://connect-assets.prosple.com/cdn/ff/83ksmqQkcHUJcxW1ZXl4l0d7XNYC3iR67kP95AzQlnE/1566198473/public/styles/scale_and_crop_center_80x80/public/2019-04/John-holland-glonal-logo.png" - }, - "application_url": "https://campaign.vieple.com/c/9eLvGecpUU", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/john-holland/jobs-internships/information-technology-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43e" - }, - "title": "Intern, Maintenance #GeneralInternship", - "description": "At Singtel, our mission is to Empower Every Generation. We are dedicated to fostering an equitable and forward-thinking work environment where our employees experience a strong sense of Belonging, to make meaningful Impact and Grow both personally and professionally.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Intern%2C-Maintenance-GeneralInternship-Sing/1052448266/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-intern-maintenance-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee43f" - }, - "title": "Analytics & Sales Summer Internship Program", - "description": "

You have an understanding of the drivers behind market moving stories and events. You're a solution-finder, with a real passion for providing exceptional customer service in a fast-paced environment. With a desire to build a career in a client-facing role, you understand the importance of credibility and building relationships!

\r\n\r\n

Join our comprehensive Analytics & Sales summer internship program, where you will rotate between both departments over the course of eight weeks, gaining an insight into what our graduate role has to offer!

\r\n\r\n

What is the role?

\r\n\r\n

You will start with a week of classroom based financial product and functionality training, to broaden your knowledge of the global financial markets and our market leading Bloomberg solutions. After your training, you'll join a team where you'll immediately begin collaborating with interns on Analytics and Sales projects.

\r\n\r\n

You'll have the opportunity to interact with clients, making valuable contributions by taking part in sales campaigns, promoting product features and prospecting for new business. Hands-on individual and group projects will allow you to experience how your full-time career could evolve.

\r\n\r\n

To round out your experience, you'll attend lunch and learn sessions, designed to teach you about our diversified group, and there will be plenty of opportunities to meet Bloomberg leaders at a variety of networking events. Of course, we also want to give you the chance to get to know your peers, so you'll also take part in volunteering activities and social events with interns from other departments.

\r\n\r\n

Analytics

\r\n\r\n

We provide 24/7 support for Bloomberg Professional Service users worldwide and across multiple industries. Reaching us via our 'Instant Bloomberg' chat system, clients access unparalleled customer service where we answer their questions and help them maximise the value of Bloomberg's products. On any given day we respond to over 12,000 queries in more than 15 languages. From educating a portfolio manager on Bloomberg’s risk management solutions to helping a trader use our functionality to discover new sources of market liquidity – the variety of problems we solve is immense.

\r\n\r\n

Bloomberg is constantly innovating and Analytics plays a key role in ensuring clients are educated on new products and enhancements by proactively working closely to upskill them through technology, and delivering on-site training and seminars. We also work in conjunction with Enterprise Sales to deliver on strategic initiatives, supporting product roll-out and onboarding clients. We want to ensure our clients are making the most of our service and using tools and features that allow them to work smarter.

\r\n\r\n

Sales

\r\n\r\n

In Sales, we're the face of Bloomberg for our clients. Consultative and entrepreneurial, we manage client relationships, whilst striving to continually grow our revenue by identifying new business opportunities.

\r\n\r\n

We spend our time with our clients, understanding their business goals and outpacing their expectations. Guided by curiosity and purpose, we work to understand their workflows and present them with the most appropriate solutions across our range of enterprise offerings.

\r\n\r\n

We’re discovering new business leads by making prospecting calls and networking. We demonstrate how Bloomberg's product offering will help our clients make the best investment/trading/business decisions, making their day to day business smoother and more profitable.

\r\n\r\n

You need to have:

\r\n\r\n
    \r\n\t
  • Citizenship or permanent resident of Australia or citizenship of New Zealand
  • \r\n\t
  • A demonstrable interest in the financial markets and the aspiration to work in the financial services industry
  • \r\n\t
  • Real ambition to pursue a client-facing career, with a strong interest in relationship management and sales
  • \r\n\t
  • A customer service and solution focused mindset with a high degree of interpersonal skills
  • \r\n\t
  • Stakeholder management exposure through school or work/internship
  • \r\n\t
  • Strong critical-thinking and problem-solving skills
  • \r\n\t
  • The resilience to learn and adapt quickly in a dynamic environment
  • \r\n\t
  • Ability to communicate effectively and articulate thought process clearly
  • \r\n\t
  • Pen-ultimate year student who will be available for the full 8-week duration of the internship from Jan – Feb 2026
  • \r\n\t
  • Available for full time employment from January 2026
  • \r\n
\r\n\r\n

We'd love to see:

\r\n\r\n
    \r\n\t
  • Work experience in a client facing role
  • \r\n\t
  • Interest in technology
  • \r\n
\r\n\r\n

Does this sound like you?

\r\n\r\n

This is an entry-level role. Apply if you think we're a good match. 

\r\n\r\n

Please note this is a two stage application process, following the submission of your candidate details you will receive an email with directions to complete an online assessment. Your application will not be complete until you have submitted the assessment. We'll get in touch to let you know what the next steps are, but in the meantime feel free to have a look at our website.
\r\n 
\r\nBloomberg is an equal opportunity employer and we value diversity at our company. We do not discriminate on the basis of age, ancestry, color, gender identity or expression, genetic predisposition or carrier status, marital status, national or ethnic origin, race, religion or belief, sex, sexual orientation, sexual and other reproductive health decisions, parental or caring status, physical or mental disability, pregnancy or maternity/parental leave, protected veteran status, status as a victim of domestic violence, or any other classification protected by applicable law.
\r\n 
\r\nBloomberg provides reasonable adjustment/accommodation to qualified individuals with disabilities. Please tell us if you require a reasonable adjustment/accommodation to apply for a job or to perform your job. Examples of reasonable adjustment/accommodation include but are not limited to making a change to the application process or work procedures, providing documents in an alternate format, using a sign language interpreter, or using specialized equipment. If you would prefer to discuss this confidentially, please email AMER_recruit@bloomberg.net (Americas), EMEA_recruit@bloomberg.net (Europe, the Middle East and Africa), or APAC_recruit@bloomberg.net (Asia-Pacific), based on the region you are submitting an application for.

", - "company": { - "name": "Bloomberg L.P.", - "website": "https://au.prosple.com/graduate-employers/bloomberg-lp", - "logo": "https://connect-assets.prosple.com/cdn/ff/u0DpBoGVKrMEoh2Kjl9InD465IqsWC4qhW0JSuVKXZg/1629774614/public/styles/scale_and_crop_center_80x80/public/2021-08/logo-bloomberg-120x120-2021.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bloomberg-lp/jobs-internships/analytics-sales-summer-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2026-10-06T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee440" - }, - "title": "Cyber Internship Program", - "description": "
    \r\n\t
  • Full-time, paid internship program
  • \r\n\t
  • Award-winning and dedicated learning and development program
  • \r\n\t
  • Work on high-impact, meaningful and purpose-led projects
  • \r\n\t
  • Embrace our disruptive thinking and innovative way of working
  • \r\n
\r\n\r\n

Your Deloitte Experience: 
\r\nIn an increasingly connected world, cybersecurity has become paramount.  

\r\n\r\n

At Deloitte, we offer exciting opportunities in the cyber field, where you'll help clients protect their digital assets and navigate the complexities of cybersecurity threats.  

\r\n\r\n

As a cyber professional, you'll work on cutting-edge projects, including risk assessments, incident response, and security architecture design. You'll collaborate with clients to develop robust cybersecurity strategies, implement advanced technologies, and enhance their overall security posture. With access to industry-leading tools and expertise, you'll play a vital role in safeguarding organisations against cyber threats, mitigating risks, and ensuring business continuity.  

\r\n\r\n

If you have a passion for technology, problem-solving, and staying one step ahead of cyber adversaries, a career in cyber at Deloitte will provide you with exciting challenges and opportunities to significantly impact today's digital landscape. 

\r\n\r\n

Next Steps  

\r\n\r\n

Sound like the sort of role for you? Pre-register now!

\r\n\r\n

By applying for this job, you’ll be assessed against the Deloitte Talent Standards. We’ve designed these standards so that you can grow in your career, and we can provide our clients with a consistent and exceptional Deloitte employee experience globally. The preferred candidate will be subject to background screening by Deloitte or by their external third-party provider. 

", - "company": { - "name": "Deloitte Australia", - "website": "https://au.prosple.com/graduate-employers/deloitte-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/LpbZJTaB2t6HcMlDYdwynoVjD1KY6woGPa2LAxrMrHI/1627117907/public/styles/scale_and_crop_center_80x80/public/2021-07/logo-deloitte-au-480x480-2021.png" - }, - "application_url": "https://www.deloitte.com/au/en/careers/students/find-your-fit/skills-cyber.html?id=au:2el:3or:4tal-graduate2024-2024::6talent:20240228::vac-cyber-pro&utm_source=pro&utm_medium=web&utm_campaign=tal-graduate2024-2024&utm_content=button", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/deloitte-australia/jobs-internships/cyber-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-23T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee441" - }, - "title": "Technology Internship Program", - "description": "
    \r\n\t
  • Full-time, paid internship program
  • \r\n\t
  • Award-winning and dedicated learning and development program
  • \r\n\t
  • Work on high-impact, meaningful and purpose-led projects
  • \r\n\t
  • Embrace our disruptive thinking and innovative way of working
  • \r\n
\r\n\r\n

Your Deloitte Experience: 
\r\nDeloitte embraces technology as a catalyst for innovation and offers many career opportunities in the technology sector.  
\r\n 
\r\nAs a technology professional at Deloitte, you'll work with cutting-edge technologies and help clients harness the power of digital solutions to drive their business forward.  

\r\n\r\n

Whether it's IT consulting, software development, or technology strategy, you'll have the opportunity to collaborate with clients to solve complex challenges and implement transformative solutions. From leveraging cloud computing and emerging technologies like artificial intelligence and blockchain to designing scalable systems and ensuring cybersecurity, you'll play a vital role in shaping the future of organisations.  

\r\n\r\n

With access to a global network of technology experts, training programs, and industry-leading tools, a career in technology at Deloitte will provide you with endless opportunities to innovate, grow, and make a positive impact. 

\r\n\r\n

Here are some of the teams you could join if you’re interested in Technology: 

\r\n\r\n

Consulting 

\r\n\r\n
    \r\n\t
  • Industry, Cloud and Engineering Solutions 
  • \r\n\t
  • Enterprise, Technology and Performance 
  • \r\n
\r\n\r\n

Next Steps  

\r\n\r\n

Sound like the sort of role for you? Pre-register now!

\r\n\r\n

By applying for this job, you’ll be assessed against the Deloitte Talent Standards. We’ve designed these standards so that you can grow in your career, and we can provide our clients with a consistent and exceptional Deloitte employee experience globally. The preferred candidate will be subject to background screening by Deloitte or by their external third-party provider. 

", - "company": { - "name": "Deloitte Australia", - "website": "https://au.prosple.com/graduate-employers/deloitte-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/LpbZJTaB2t6HcMlDYdwynoVjD1KY6woGPa2LAxrMrHI/1627117907/public/styles/scale_and_crop_center_80x80/public/2021-07/logo-deloitte-au-480x480-2021.png" - }, - "application_url": "https://www.deloitte.com/au/en/careers/students/find-your-fit/skills-technology.html?id=au:2el:3or:4tal-graduate2024-2024::6talent:20240228::vac-tech-pro&utm_source=pro&utm_medium=web&utm_campaign=tal-graduate2024-2024&utm_content=button", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/deloitte-australia/jobs-internships/technology-internship-program-2" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-23T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee442" - }, - "title": "Solution Area Specialist Internship - Melbourne", - "description": "

Your role

\r\n\r\n

As a Solution Area Specialist Intern, you will uncover and qualify new leads while driving consumption with both new and existing customers. You will identify customer and market needs, orchestrate deals with multiple stakeholders and position Microsoft solutions effectively in the competitive landscape. As a Solution Area Specialist Intern, you will develop and manage pipelines for territory and forecast resource needs and meet with customers on-site to deepen relationships and solution development.

\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Positions Microsoft solutions in a competitive landscape through research and collaboration utilizing industry expertise to differentiate Microsoft solutions.
  • \r\n\t
  • Reaches out to peers and senior team members within the subsidiary to gain technical knowledge in a solution area.
  • \r\n\t
  • Learns how Microsoft's 3-cloud platform can enable digital transformation areas. Supports team members on digital transformation opportunities in an assigned area by applying established processes and activities.
  • \r\n\t
  • Identifies market and customer needs and collaborates with internal teams to devise solutions to meet those needs.
  • \r\n\t
  • Develops and manages pipeline for territory and forecasts resource needs.
  • \r\n\t
  • Meets with customers on-site to deepen relationships and solution development.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Required Qualifications:

\r\n\r\n
    \r\n\t
  • Currently enrolled in a Bachelor's Degree in Information Technology or a related field
  • \r\n\t
  • Must have at least one semester/term of school remaining following the completion of the internship
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As an intern at Microsoft, you may receive the following benefits (may vary depending on the nature of your employment and the country where you work):

\r\n\r\n
    \r\n\t
  • Industry-leading healthcare
  • \r\n\t
  • Educational resources
  • \r\n\t
  • Discounts on products and services
  • \r\n\t
  • Savings and investments
  • \r\n\t
  • Maternity and paternity leave
  • \r\n\t
  • Generous time away
  • \r\n\t
  • Giving programs
  • \r\n\t
  • Opportunities to network and connect
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

At Microsoft, Interns work on real-world projects in collaboration with teams across the world, while having fun along the way. You’ll be empowered to build community, explore your passions and achieve your goals. They support continuous learning and growth through a wide range of technical, management, and professional development programs.

\r\n\r\n

To know more about the life as a Microsoft intern, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

Nikhil Gaekwad's career progression at Microsoft exemplifies the opportunities available for growth within the company, starting from his early internships to becoming a program manager on the Windows team. His journey highlights how Microsoft's hands-on projects, mentorship, and cross-platform experiences enable interns and employees to develop crucial skills, make significant contributions, and shape their careers in the tech industry. Read about his story here.

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.microsoft.com/v2/global/en/benefits
  • \r\n\t
  • news.microsoft.com/life/windows-opportunity-career-potential-meets-cutting-edge-technology/
  • \r\n
", - "company": { - "name": "Microsoft Australia", - "website": "https://au.prosple.com/graduate-employers/microsoft", - "logo": "https://connect-assets.prosple.com/cdn/ff/sY04jQaY8yP_42XE9NQAh_Svng9_KxFevW_9wxdyBb8/1564041819/public/styles/scale_and_crop_center_80x80/public/2019-03/microsoft_global_logo.png" - }, - "application_url": "https://jobs.careers.microsoft.com/global/en/share/1778027/?utm_source=Job Share&utm_campaign=Copy-job-share", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/microsoft-australia/jobs-internships/solution-area-specialist-internship-melbourne" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee443" - }, - "title": "IT University Summer Internship", - "description": "

With a world class team of more than 3,500 employees across the country and a number of international sites, Boeing has had a presence in Australia for the last 95 years and is the company’s second largest footprint outside the United States. Boeing partners with Australia’s defence and commercial industries to design and deliver world-leading solutions for our customers, and we are an invaluable part of our country’s research and development community.

\r\n\r\n

If you want to put your university studies into practice before graduating, Boeing Australia’s university internship offers a unique opportunity to immerse yourself in the dynamic world of aerospace, gain hands-on experience and build your professional network.

\r\n\r\n

If you are a university student in your second, third, or fourth year of study, this opportunity is for you. We offer full-time placements across Australia, giving you the chance to apply your academic skills in a practical setting.

\r\n\r\n

As well as interesting, real-life work experience, we also offer peer-support and networking opportunities to guide your development. Plus, you gain insights into Boeing Australia to help decide the best career options for when you graduate.

\r\n\r\n

To apply, please upload your resume, current academic transcripts and a cover letter answering the following application questions:

\r\n\r\n
    \r\n\t
  • What excites you about being part of the Boeing team?
  • \r\n\t
  • What do you hope to experience during your internship?
  • \r\n\t
  • What do you envisage sustainability should look like at Boeing in your field? 
  • \r\n
\r\n\r\n

If you are currently studying a Bachelor’s in one of the following, you are eligible to participate:

\r\n\r\n
    \r\n\t
  • Information Technology
  • \r\n\t
  • Computer Science
  • \r\n\t
  • Information Systems
  • \r\n\t
  • Cyber Security
  • \r\n
\r\n\r\n

In addition, you must be available to work full-time during the course of the internship, which commences late in November 2024 and finishes in mid-February 2025. 

\r\n\r\n

Due to the nature of the work you may participate in, you will need to be an Australian citizen with eligibility to obtain a Defence Security clearance.

\r\n\r\n

Boeing is an Equal Opportunity Employer and we invite you to be part of an organisation that fosters a diverse workplace. Aboriginal and Torres Strait Islander people are strongly encouraged to apply. 

", - "company": { - "name": "Boeing Australia", - "website": "https://au.prosple.com/graduate-employers/boeing-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-iqlz06Is--1rpXT4pKiQkaKtd_Gjejg6ii7rNePDzQ/1581386331/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-boeing-240x240-2020.jpg" - }, - "application_url": "https://lp.prosple.com/boeing-australia-it-university-summer-internship/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boeing-australia/jobs-internships/it-university-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-31T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee444" - }, - "title": "Summer Systems Engineering Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a visionary with a passion for integrating complex systems? BAE Systems invites aspiring engineers to embark on a transformative experience as Systems Engineering Interns in VIC, SA and ACT. Immerse yourself in cutting-edge projects, collaborate with industry pioneers, and be a key player in a team that thrives on designing innovative solutions for defence, security, and aerospace.

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855946&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-systems-engineering-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee445" - }, - "title": "Backend Software Engineer Intern (Multimedia Platform)", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the Department

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

About the Team

\r\n\r\n

At TikTok, the Media Service Team builds the multimedia infrastructure powering our platform and other products. Part of the VideoArch department, we specialize in Video-on-Demand (VoD) technology, developing solutions that process billions of videos daily. Our core responsibilities include optimizing TikTok's high-performance VoD transcoder, architecting cost-saving VoD strategy platforms that have trimmed tens of millions in costs, and building distributed task processing platforms that enable efficient multimedia development. Join our team and contribute to video technologies captivating millions worldwide. We offer growth opportunities, collaboration with experts, and the chance to shape multimedia experiences. If you thrive on challenges, cutting-edge tech, and want to make an impact, explore exciting roles with the Media Service Team.

\r\n\r\n

We are looking for talented individuals to join us for an internship in from Jan 2025 onwards. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the design, development, and maintenance of the large-scale multimedia processing system, which processes billions of videos per day for TikTok.
  • \r\n\t
  • Contribute to the construction of the VoD strategy platform to deliver cost-effective transcoding and storage optimization strategies for saving a tremendous amount of VoD costs.
  • \r\n\t
  • Work in areas related to large-scale distributed system development, workflow orchestration, task scheduling, just-in-time video transcoding, data analysis, etc.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Undergraduate, or Postgraduate who is currently pursuing a Bachelor/Masters Degree in Software Development, Computer Science, Computer Engineering, or a closely related technical field, expecting to graduate by December 2025.
  • \r\n\t
  • Candidates are expected to work on-site at our Sydney office for a minimum of three days per week during the internship, which runs for at least 3 months and may be extended based on performance and mutual agreement.
  • \r\n\t
  • Solid basic knowledge of computer software, understanding of Linux operating system, storage, network IO, and other related principles.
  • \r\n\t
  • Familiarity with one or more programming languages, such as Go, Python, and C++, with knowledge of design patterns and coding principles.
  • \r\n\t
  • Strong learning and research abilities, good communication skills and teamwork spirit.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience in building and developing large-scale infrastructure and distributed systems.
  • \r\n\t
  • Knowledge of data analysis and data mining, familiar with structural query language, e.g. sql/hsql.
  • \r\n\t
  • Knowledge of machine learning and mathematical modeling.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7457035118722992391?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-software-engineer-intern-multimedia-platform" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee446" - }, - "title": "Graduate Backend Software Engineer, Live Streaming Backend", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About

\r\n\r\n

Popular video products of TikTok are all empowered by our cutting-edge cloud technologies. As a software engineer in this team, you will have the opportunity to tackle challenges of developing large-scale distributed systems to support the low latency and high quality end to end live streaming experience on a global scale, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, develop, and maintain a global-scale, multi-regional live streaming platform.
  • \r\n\t
  • Architect, implement, and operate critical and scalable services, including video delivery services, live scheduling services, and core persistence layer.
  • \r\n\t
  • Construct live streaming platforms, systems, and infrastructure, leveraging knowledge in network and distributed systems.
  • \r\n\t
  • Ensure service and system quality through the development of testing frameworks and creation of automated tests.
  • \r\n\t
  • Contribute to design reviews and code reviews for the live streaming infrastructure team.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year student or recent graduate (strictly within the last 12 months) with a bachelor's degree in Computer Science or a related technical field involving software/system engineering, or equivalent working experience,
  • \r\n\t
  • Good programming experience with at least one of the following languages: C, C++, Java, Python, or Go
  • \r\n\t
  • Familiarity with Unix/Linux operating systems
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience with SQL, NoSQL databases, Memcache/Redis
  • \r\n\t
  • Experience with video processing and delivery technology
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7397680652605229363?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer-live-streaming-backend-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee447" - }, - "title": "Engineering Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands-on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n

You’ll be at the forefront of innovation at Australia’s largest Bank, with the biggest community of tech grads in the country. Your analytical mindset and adaptability will have you detecting and responding to the rapidly changing tech ecosystem. Your problem-solving abilities will have you working on technologies that haven’t even been invented yet, reimagining products for our customers.

\r\n\r\n

Throughout your selected program, you’ll get to be part of hackathons, gain certifications and attend industry-leading events. 

\r\n\r\n

For this upcoming Summer Intern Program, we are recruiting for our Technology – Engineering Program. Being part of the Tech Graduate Program means you’ll:

\r\n\r\n
    \r\n\t
  • Be empowered to do your best work while working on real-life projects from day one 
  • \r\n\t
  • Gain access to world-class technical and development resources 
  • \r\n\t
  • Be surrounded by colleagues and leaders who’ll support your personal and professional growth
  • \r\n\t
  • Be supported to give back through volunteering opportunities
  • \r\n
\r\n\r\n

See yourself in our team

\r\n\r\n

Technology – Engineering - Sydney, Melbourne & Perth

\r\n\r\n
    \r\n\t
  • We're building tomorrow’s bank today, we’re discovering new technologies on the horizon that aren’t invented yet and reimagining products for our customers. 
  • \r\n\t
  • You’ll be responsible for the world-leading application of technology across every single aspect of CommBank – from innovative product platforms for our customers to essential tools within our business.
  • \r\n\t
  • You’ll form part of the engine room behind Australia’s number one banking app, the Australian-first Cardless Cash, Spend Tracker, Benefits Finder and Step Pay.
  • \r\n\t
  •  You'll gain exposure in Data (Machine Learning/Artificial Intelligence), Software Engineering (Web/Mobile/Fullstack), Site Reliability (SRE) and Security.
  • \r\n
\r\n\r\n

After the Summer Intern Program, you will have the chance to receive a fast-track offer into our Graduate Program. From here, you could land a Software, DevOps or System Engineer role. 

\r\n\r\n

We’re interested in hearing from you if:

\r\n\r\n
    \r\n\t
  • You're a tech wizard who’s passionate about innovation and keen to learn new tech stacks, languages and frameworks;
  • \r\n\t
  • You’re a curious problem solver who loves simplifying processes;
  • \r\n\t
  • You can put yourself in the customer’s shoes & imagine better experiences for them.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a Tech degree, your skills may align with one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

If this sounds like you, and you’re:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/en-US/Private_Ad/job/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/engineering-summer-intern-program-4" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee448" - }, - "title": "Graduate Rotational Program", - "description": "

2026 Steadfast Graduate

\r\n\r\n

Launch your Career with Steadfast: Where Ambition Meets Opportunity

\r\n\r\n

What’s on Offer:

\r\n\r\n

Are you ready to launch your career with a company that values innovation, growth, and excellence? Introducing Steadfast’s Graduate Program: Your gateway to a thriving career in the insurance industry.

\r\n\r\n

At Steadfast, you’ll connect with senior leaders, gain unparalleled access to professional development, and explore diverse job opportunities within our expansive network. Our program is designed to fast-track your growth, offering hands-on experience, mentorship, and a clear path to success.

\r\n\r\n

Step into a world of possibilities and shape your future with Steadfast. Start your journey towards becoming a leader tomorrow!

\r\n\r\n

We provide a top tier qualification in insurance with continuous training designed to set you up for long-term success. Our program is meticulously crafted to fast-track your growth. By the end of the program, you will have gained the skills, knowledge and confidence needed to excel in your career. 
\r\n
\r\nOur program involves rotations across the various business divisions that make up Steadfast. 

\r\n\r\n

Our structured development pathway includes:

\r\n\r\n
    \r\n\t
  • Formal insurance qualifications via ANZIIF.
  • \r\n\t
  • Leadership development and career management.
  • \r\n\t
  • Coaching with some of our most senior leaders.
  • \r\n\t
  • Participation in our mentoring program.
  • \r\n\t
  • And end-of-year group project presented to Robert Kelly AM, Founder, Managing Director and CEO of Steadfast, and his Executive team.
  • \r\n\t
  • The opportunity to participate in the recruitment and selection of graduates for the 2027 program.
  • \r\n
\r\n\r\n

A bit about you:

\r\n\r\n

As our ideal graduate candidate, you are a highly motivated and adaptable individual who is eager to start your career with a passion for learning and growth. You have a strong academic background and are ready to apply your skills in a professional setting.

\r\n\r\n
    \r\n\t
  • You are degree qualified with a minimum of a Credit average and have graduated in the last two years or are due to graduate before the program begins in February 2026.
  • \r\n\t
  • Are articulate and have great communications skills.
  • \r\n\t
  • We encourage open minded individuals, who want to build relationships with multiple stakeholders and problem solve, so come prepared to think outside the box.
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

Steadfast Group is the largest general insurance broker network and the largest group of insurance underwriting agencies in Australasia, with growing operations in Asia and Europe.

\r\n\r\n

Steadfast was recognised as a ‘Best Graduate Development Program’ finalist at the Australian HR Awards 2021. At Steadfast, we are proud of our diverse team, composed of experts with a broad range of skills who work together, to drive the insurance sector forward. Every team member is passionate about collaborating and partnering with our grads to achieve success. 

\r\n\r\n

Our purpose is to create solutions designed to help our businesses and network achieve better outcomes for their clients and the communities we serve.

\r\n\r\n

We are committed to providing a workplace where people feel they can bring their whole self to work. We aim to create a diverse work environment in which everyone is treated fairly and with respect and where everyone feels responsible for the reputation and performance of Steadfast.

\r\n\r\n

We are strong supporters of Aboriginal and Torres Strait Islander peoples, businesses and communities through our Reconciliation Action Plan. We are also passionate about the environment, diversity, equity and inclusion, and love to give back to charities through the Steadfast Foundation.

\r\n\r\n

To apply for the Steadfast Graduate Program: 

\r\n\r\n
    \r\n\t
  • Include your CV, cover letter, and academic transcript
  • \r\n
\r\n\r\n

The first stage involves a pre-recorded video interview sent to the Steadfast Talent team.

\r\n\r\n

The second stage involves an in-person assessment at our Bathurst Street office in Sydney. This will centre on a one hour interview with a previous graduate, a team-building activity and a written assignment.

\r\n\r\n
    \r\n\t
  • The final stage is an in-person interview with the Executive General Manager, People at Steadfast which may also include meeting Robert Kelly AM, Founder, Managing Director and CEO.
  • \r\n\t
  • Reference checks will then be completed.
  • \r\n
\r\n\r\n

Help us shape the future of the insurance industry in Australia by clicking below to register your interest.

", - "company": { - "name": "Steadfast Group", - "website": "https://au.prosple.com/graduate-employers/steadfast-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/o8nZ-S24EaiJzzXQdymG46JsYx6Tx5H5abFD3v5u_N0/1647330130/public/styles/scale_and_crop_center_80x80/public/2022-03/logo-steadfast-group-480x480.jpg" - }, - "application_url": "https://steadfast.elmotalent.com.au/careers/default/job/view/40", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/steadfast-group/jobs-internships/graduate-rotational-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-06T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee449" - }, - "title": "Enterprise Officer (Architect) - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Enterprise officer graduates take a holistic view of an organisation—in the Queensland Government that may be a single department or across the whole of government.

\r\n\r\n

A graduate enterprise officer undertakes analysis and builds enterprise-wide approaches. They focus on organisational alignment and synergies, linking what needs to be done with how it is done. They focus on processes, supporting information and technologies and who does what.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in an enterprise officer role may include:

\r\n\r\n
    \r\n\t
  • using your modelling skills to understand complex organisational issues
  • \r\n\t
  • gathering and analysing information and recommend future direction
  • \r\n\t
  • assisting to identify opportunities for rationalisation, sharing and reuse
  • \r\n\t
  • being involved in enterprise-wide impact analysis of proposed changes
  • \r\n\t
  • ensuring the alignment of IT strategy and planning with agency business goals
  • \r\n\t
  • developing policies and guidelines that direct the use of IT in government.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for an enterprise officer role will have:

\r\n\r\n
    \r\n\t
  • conceptualisation skills and think strategically
  • \r\n\t
  • high level modelling skills
  • \r\n\t
  • good interpersonal and communication skills
  • \r\n\t
  • an objective approach to problem solving with attention to detail.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Knowledge of:

\r\n\r\n
    \r\n\t
  • broad range of modelling skills including business process modelling
  • \r\n\t
  • systems analysis and design
  • \r\n\t
  • hardware and software development and configuration.
  • \r\n
\r\n\r\n

Your degree may be in information technology or business.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/enterprise-officer-architect-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44a" - }, - "title": "Security Engineering/Intelligence Summer Internship", - "description": "

Working at Atlassian

\r\n\r\n

Atlassian can hire people in any country where we have a legal entity. Assuming you have eligible working rights and a sufficient time zone overlap with your team, you can choose to work remotely or from an office (unless it’s necessary for your role to be performed in the office). Interviews and onboarding are conducted virtually, a part of being a distributed-first company.

\r\n\r\n

As an intern in one of our Security teams, you'll be watching over our corporate environment and Atlassian cloud services which host many tens of thousands of customers. Using your skills and experience in various languages and tech stacks you will discover and fix security vulnerabilities within Atlassian products and services, hone your pen testing and Red Team skills by analyzing those, participate in architecture and code reviews, threat modeling, and work closely with all the Atlassian engineering groups.

\r\n\r\n

We would love for you to have strong coding skills but more importantly, you must be forward-thinking, motivated, and have a passion for web app security. You should be comfortable writing code to get things done and not depend on third-party products to do your job.

\r\n\r\n

You love to innovate and to build your dreams. You are excited about the opportunity to work with our teams on complex challenges. You’re a great team player, inquisitive and enjoy dissecting and tackling hard problems. You have an interest in technology and think it has the power to change the world for the better. Whilst passionate about your work and delivering amazing quality, you’re still able to go fast, which means great instincts when it comes to the workload and using your time wisely. You’ll learn a lot, but you’ll also need to be able to stand up for your own ideas when the time comes.

\r\n\r\n

One important note: Applicants must have Australian or New Zealand citizenship or Permanent Residency at the time of application. The internship dates are late November 2025 to late February 2026, full-time for 12 weeks.

\r\n\r\n

On your first day, we'll expect you to:

\r\n\r\n
    \r\n\t
  • Enrolled in a Bachelors or Masters degree in Computer Science / Software Engineering or a related technical field and completing your studies by January 2026
  • \r\n\t
  • Great skills writing clean, efficient code
  • \r\n\t
  • Real passion for collaborating with colleagues to build technical solutions to hard problems
  • \r\n\t
  • You view capture the flag competitions, crack-mes, and \"unbreakable\" products as challenges to your honour, hacking at them until they yield.
  • \r\n
\r\n\r\n

It’s great, but not required, if you:

\r\n\r\n
    \r\n\t
  • Have a real passion for Security, as demonstrated by previous internships, work experience, projects, or publications
  • \r\n\t
  • Knowledge of IT infrastructure such as networks and endpoints
  • \r\n\t
  • If you already have a consistent track record in finding vulnerabilities, responsible disclosure or bug bounties that would be a great plus
  • \r\n
\r\n\r\n

Our perks & benefits

\r\n\r\n

To support you at work and play, our perks and benefits include ample time off, an annual education budget, paid volunteer days, and so much more.

\r\n\r\n

About Atlassian

\r\n\r\n

The world’s best teams work better together with Atlassian. From medicine and space travel, to disaster response and pizza deliveries, Atlassian software products help teams all over the planet. At Atlassian, we're motivated by a common goal: to unleash the potential of every team.

\r\n\r\n

We believe that the unique contributions of all Atlassians create our success. To ensure that our products and culture continue to incorporate everyone's perspectives and experience, we never discriminate based on race, religion, national origin, gender identity or expression, sexual orientation, age, or marital, veteran, or disability status. All your information will be kept confidential according to EEO guidelines.

\r\n\r\n

Register your interest now!

", - "company": { - "name": "Atlassian", - "website": "https://au.prosple.com/graduate-employers/atlassian", - "logo": "https://connect-assets.prosple.com/cdn/ff/tj8Q_KGm3xSFDC0iWSuZ4UK-_nxpPe3_8AovryxHKRw/1671511434/public/styles/scale_and_crop_center_80x80/public/2022-12/logo-atlassian-new-zealand-120x120-2022.jpg" - }, - "application_url": "https://jobs.lever.co/atlassian/d0f1651f-c311-4a47-aa42-f47d1c2585bd/apply", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/atlassian/jobs-internships/security-engineeringintelligence-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-30T11:59:00.000Z" - }, - "locations": [], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44b" - }, - "title": "Cyber Graduate Program", - "description": "
    \r\n\t
  • Full-time graduate program
  • \r\n\t
  • Award-winning and dedicated learning and development program
  • \r\n\t
  • Work on high-impact, meaningful and purpose-led projects
  • \r\n\t
  • Embrace our disruptive thinking and innovative way of working
  • \r\n
\r\n\r\n

Your Deloitte Experience: 

\r\n\r\n

In an increasingly connected world, cybersecurity has become paramount.  

\r\n\r\n

At Deloitte, we offer exciting opportunities in the cyber field, where you'll help clients protect their digital assets and navigate the complexities of cybersecurity threats.  

\r\n\r\n

As a cyber professional, you'll work on cutting-edge projects, including risk assessments, incident response, and security architecture design. You'll collaborate with clients to develop robust cybersecurity strategies, implement advanced technologies, and enhance their overall security posture.  

\r\n\r\n

With access to industry-leading tools and expertise, you'll play a vital role in safeguarding organisations against cyber threats, mitigating risks, and ensuring business continuity.  

\r\n\r\n

If you have a passion for technology, problem-solving, and staying one step ahead of cyber adversaries, a career in cyber at Deloitte will provide you with exciting challenges and opportunities to significantly impact today's digital landscape. 

\r\n\r\n

Next Steps  

\r\n\r\n

Sound like the sort of role for you? Pre-register now!

", - "company": { - "name": "Deloitte Australia", - "website": "https://au.prosple.com/graduate-employers/deloitte-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/LpbZJTaB2t6HcMlDYdwynoVjD1KY6woGPa2LAxrMrHI/1627117907/public/styles/scale_and_crop_center_80x80/public/2021-07/logo-deloitte-au-480x480-2021.png" - }, - "application_url": "https://www.deloitte.com/au/en/careers/students/find-your-fit/skills-cyber.html?id=au:2el:3or:4tal-graduate2024-2024::6talent:20240228::grad-cyber-pro&utm_source=pro&utm_medium=web&utm_campaign=tal-graduate2024-2024&utm_content=button", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/deloitte-australia/jobs-internships/cyber-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-22T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44c" - }, - "title": "Customer Success Account Management Internship - Sydney", - "description": "

Your role

\r\n\r\n

As a Customer Success Account Management Intern, you will develop, maintain, and build upon foundational relationships with key customer stakeholders and technical professionals to enable quality solution delivery. This opportunity will allow you to guide and lead conversations to facilitate the achievement of customer business objectives; and lead the execution of program planning and customer-facing program reviews.

\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Learn customer, partner, and internal stakeholder engagement models. Supports foundational relationships with key customer stakeholders and technical professionals to enable quality solution delivery and health using partnerships with other account team leaders and with guidance from more experienced colleagues. Manages customer relationships beyond the current Unified Support contract owners with a focus on understanding business objectives and roadmaps.
  • \r\n\t
  • Learns how to identify, navigate, and communicate with key customer technical stakeholders at different levels. Learns how to guide and lead conversations to facilitate the achievement of customer business objectives by leveraging their investment in Microsoft. Learns how to map internal roles to customer priorities to action the needs of customers. Learns how to develop key internal stakeholder relationships.
  • \r\n\t
  • Grows technical aptitude and industry awareness to translate customer interactions into customer business impact and value.
  • \r\n\t
  • Listens to conversations with customers and begins to align objectives with the current Microsoft portfolio of work in the customer account. Understands the organizational and customer success strategy. Understands Microsoft technology and services.
  • \r\n\t
  • Supports the delivery of program planning and customer-facing program reviews, prioritization of engagements, and engagement with key technical stakeholders to address agreed-upon customer outcomes and account priorities to deliver ongoing customer success.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Required Qualifications:

\r\n\r\n
    \r\n\t
  • Currently pursuing a Bachelor's Degree in Business, Sociology, Psychology, Computer Science or a related field
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passion for technology and customer obsessed.
  • \r\n\t
  • Microsoft or competitor equivalent (e.g., AWS) certification in relevant technologies (e.g., Azure, 365)
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As an intern at Microsoft, you may receive the following benefits (may vary depending on the nature of your employment and the country where you work):

\r\n\r\n
    \r\n\t
  • Industry-leading healthcare
  • \r\n\t
  • Educational resources
  • \r\n\t
  • Discounts on products and services
  • \r\n\t
  • Savings and investments
  • \r\n\t
  • Maternity and paternity leave
  • \r\n\t
  • Generous time away
  • \r\n\t
  • Giving programs
  • \r\n\t
  • Opportunities to network and connect
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

At Microsoft, Interns work on real-world projects in collaboration with teams across the world, while having fun along the way. You’ll be empowered to build community, explore your passions and achieve your goals. They provide a range of professional and personal development opportunities and access to hundreds of online and in-person training programs to help employees grow.

\r\n\r\n

To know more about the life as a Microsoft intern, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

Nikhil Gaekwad's career progression at Microsoft exemplifies the opportunities available for growth within the company, starting from his early internships to becoming a program manager on the Windows team. His journey highlights how Microsoft's hands-on projects, mentorship, and cross-platform experiences enable interns and employees to develop crucial skills, make significant contributions, and shape their careers in the tech industry. Read about his story here.

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.microsoft.com/v2/global/en/benefits
  • \r\n\t
  • news.microsoft.com/life/windows-opportunity-career-potential-meets-cutting-edge-technology/
  • \r\n
", - "company": { - "name": "Microsoft Australia", - "website": "https://au.prosple.com/graduate-employers/microsoft", - "logo": "https://connect-assets.prosple.com/cdn/ff/sY04jQaY8yP_42XE9NQAh_Svng9_KxFevW_9wxdyBb8/1564041819/public/styles/scale_and_crop_center_80x80/public/2019-03/microsoft_global_logo.png" - }, - "application_url": "https://jobs.careers.microsoft.com/global/en/share/1778032/?utm_source=Job Share&utm_campaign=Copy-job-share", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/microsoft-australia/jobs-internships/customer-success-account-management-internship-sydney" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Medical & Health Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44d" - }, - "title": "Help Desk Operator - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

The graduate help desk operator is a pivotal role in any organisation. The help desk operator is the first port of call when a staff member is having difficulties using their PC or information system.

\r\n\r\n

The help desk operator needs to have a broad understanding of the information systems that are used in their organisation. They will also need to have a solid understanding of the technology that the organisation is utilising to run the information systems. The help desk operator needs to have very high-level communication skills so that they can determine the user's issue. The help desk operator then diagnoses the problem and identifies whether it is something that can be resolved at point of call or whether the incident needs to be referred to a specialist area within the information technology department for further analysis and then resolution.

\r\n\r\n

The help desk operator is the face of the information technology department; therefore, they need to project a positive, client-focused image whilst resolving incidents in a timely and efficient manner.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a help desk operator role may include:

\r\n\r\n
    \r\n\t
  • monitoring and responding quickly to incoming requests relate to IT issues
  • \r\n\t
  • maintaining computer systems and act as support if any system goes down
  • \r\n\t
  • responsibility for PCs, printers, servers and related equipment (monitor, keyboard, mouse, hard drive, etc.)
  • \r\n\t
  • maintaining user PCs, including upgrades and configuration as needed
  • \r\n\t
  • assisting with onboarding of new users
  • \r\n\t
  • keeping inventory of all equipment, software, and license users
  • \r\n\t
  • installing, configuring, and upgrading PC software..
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a help desk operator role will have:

\r\n\r\n
    \r\n\t
  • the ability to use own initiative and operate under minimum supervision for internal effectiveness
  • \r\n\t
  • a positive approach to additional tasks on an as-needed basis is a plus
  • \r\n\t
  • experience in the installation, maintenance and support of IT equipment, including desktop computers, laptops, tablets, phones, scanners and printers
  • \r\n\t
  • expertise supporting a Windows desktop environment, particularly Windows operating systems, Microsoft Office, Adobe products and various web browsers
  • \r\n\t
  • well-developed interpersonal skills and proven ability to work alone and as part of a team with minimal supervision
  • \r\n\t
  • strong customer service focus and commitment.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Technical skills:

\r\n\r\n
    \r\n\t
  • General awareness of computer systems, PC repair, and network management.
  • \r\n\t
  • Resourcefulness and quick-thinking nature to troubleshoot new and critical technical issues as they arise.
  • \r\n\t
  • Ability to deploy, configure, and support operating systems on desktop and mobile.
  • \r\n\t
  • Understanding and appreciation for information security within systems and user devices.
  • \r\n\t
  • Strong drive to provide excellent customer service and experience, with an awareness of prioritisation of tasks, stakeholders, budget, and time.
  • \r\n
\r\n\r\n

Your degree may be in information technology, computer and software systems, information systems, database management, systems administration or project management.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/help-desk-operator-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44e" - }, - "title": "Data & STEM Graduate Program", - "description": "

If you have recently graduated in one of the DATA or STEM disciplines at university then we want you to apply for the Department of the Prime Minister and Cabinet (PM&C) Graduate Program. PM&C will give you the opportunity work across an exciting and broad range of areas that aren’t available anywhere else – it’s a mini public service rolled into one! If you you’re keen to explore a broad range of opportunities, then there’s no better place to start your career.

\r\n\r\n

What we provide 

\r\n\r\n
    \r\n\t
  • 12-month, multiple award-winning graduate program where you choose where you go
  • \r\n\t
  • Excellent support including mentors, buddies, and networking opportunities to connect with countless business areas
  • \r\n\t
  • A starting APS3 salary of $77086+ 15.4% superannuation and potential advancement after 6 months to the APS4 salary
  • \r\n\t
  • Inspiring and diverse work opportunities so that you can tailor your program to suit your goals
  • \r\n\t
  • Work-life balance including flexible working-from-home arrangements and generous leave entitlements
  • \r\n\t
  • Career progression to a permanent placement of your choice and the possibility of future promotion
  • \r\n\t
  • Generous relocation package to support your move to Canberra
  • \r\n\t
  • A work culture that respects opinions and fosters inclusion and diversity
  • \r\n
\r\n\r\n

What you’ll do   

\r\n\r\n

PM&C’s Graduate Program offers graduates hands-on experience supporting the Prime Minister, the Cabinet, Portfolio Ministers, and Assistant Ministers. 

\r\n\r\n

As a Data or STEM Graduate, you will be part of supporting the Prime Minister through the provision of data and insights on all matters of domestic, economic, social, and international policy. You will work closely with core teams across PM&C to improve policy through bespoke analysis, creating custom data tools, and procuring data from across the government and the private sector.

\r\n\r\n

Having exposure to whole-of-government, you could be helping with the following: 

\r\n\r\n
    \r\n\t
  • Supporting the Net Zero Taskforce to identify regions around Australia that may be vulnerable to economic disruption during the Net Zero transition
  • \r\n\t
  • Producing daily Current Issues Brief’s on key cost-of-living indicators used by Prime Minister
  • \r\n\t
  • Developing key reporting or information products such as briefs, forward plans, Horizon Scan Products, or key priority ‘one-pagers’
  • \r\n\t
  • Engaging with people in regions impacted by decarbonisation, understanding their needs and interests, and advising on how the Commonwealth can best respond.
  • \r\n\t
  • Producing work in the programming language and use a variety of software development tools including git.
  • \r\n
\r\n\r\n

Who we’re looking for?  

\r\n\r\n

PM&C looks for graduates from across a variety of academic disciplines with diverse experiences and backgrounds. We are looking for people who enjoy working in a fast-paced and challenging environment and enjoy adapting to new circumstances and priorities as the Prime Minister delivers them. 

\r\n\r\n

To succeed in our program, you need to be curious, motivated, and driven to make a difference to the future of our country. You will work both independently and as part of a team, enjoy problem-solving, collaborating and offer innovative and creative thinking, approaches, and insights. 

\r\n\r\n

Who can apply? 

\r\n\r\n

To be eligible to apply, you must have completed your university degree within the last eight years or be in your final year of study.  

\r\n\r\n

The program starts in February 2026 and you must be willing to relocate to Canberra. You must also be an Australian citizen and willing to undergo police, character, and health checks as required.

\r\n\r\n

Please note that applications close at 10 am on April 15

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like an opportunity for you, we encourage you to register today. 

\r\n\r\n

To find out more, please visit our website.

", - "company": { - "name": "Department of the Prime Minister and Cabinet (PM&C)", - "website": "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc", - "logo": "https://connect-assets.prosple.com/cdn/ff/002Krmte2Gl0icZ8vMMY-chk_XC9Fd9xAi3hOHvpLCg/1734941353/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-dep-of-prime-minister-480x480-2024.jpg" - }, - "application_url": "https://dpmc.nga.net.au/cp/?AudienceTypeCode=EXT", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-the-prime-minister-and-cabinet-pmc/jobs-internships/data-stem-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee44f" - }, - "title": "Graduate Cyber Engineer", - "description": "

About BAE Systems:

\r\n\r\n

BAE Systems Australia develops the latest technologies, capabilities and infrastructure to protect the people of the Australian Defence Force. As a Graduate, you’ll play a role in helping us to deliver this, supporting multi-billion dollar programs across every Australian Defence domain – air, land, sea and space. 

\r\n\r\n

About the Opportunity:

\r\n\r\n

As a Graduate within our Cyber Engineering function, whilst developing yourself, you will provide support and assistance to Managers within the business. 

\r\n\r\n

This position will be offered as a stream 1 option 

\r\n\r\n

As part of the graduate program, you will work in one project/department for the duration of your program. As a result, you’ll enjoy stability and the opportunity to develop deep knowledge of that domain.  Whilst your experiences will vary, this will be a non-rotational program.

\r\n\r\n

For more information on our Graduate program, please click the register now button below.

\r\n\r\n

As a Cyber Engineering Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Contribute to the definition of cyber security requirements, security architecture and security risk assessments throughout the engineering lifecycle
  • \r\n\t
  • Support the review suppliers’ solution documentation for security requirement compliance and risk assessments
  • \r\n\t
  • Support assessments and advice on ICT security and networking concepts
  • \r\n\t
  • Support security working groups with stakeholders, inclusive of project engineers, suppliers and members of the Australian Defence security team(s)
  • \r\n\t
  • Assist to maintain security documentation to support achieving accreditation of systems and networks
  • \r\n
\r\n\r\n

These opportunities will be available in:

\r\n\r\n
    \r\n\t
  • SA-Osborne
  • \r\n
\r\n\r\n

About You:

\r\n\r\n

BAE Systems has a strong focus on operational excellence and business values. For this, you will demonstrate: 

\r\n\r\n
    \r\n\t
  • Strategic vision
  • \r\n\t
  • Adaptability
  • \r\n\t
  • Effective collaboration skills
  • \r\n\t
  • Honesty & integrity
  • \r\n
\r\n\r\n

To be eligible, you must be due to complete your studies in 2025 (or have already completed) a University degree qualification in an appropriate discipline. 

\r\n\r\n

You will also need demonstrated team work and communication skills coupled with a desire to grow and learn.  

\r\n\r\n

Due to the nature of our work, you'll also need to be an Australian Citizen and eligible for Australian Defence Security Clearance.

\r\n\r\n

About Our Graduate Program:

\r\n\r\n

Our 2+1 Graduate Program provides you with professional and technical development to ensure success in your chosen field.  In the third year, you will choose from a variety of professional development options, including leadership and innovation, to suit your own personal career aspirations.

\r\n\r\n

In addition to extensive training and development, you will work with a graduate mentor who will support you to develop and progress your personal career plan setting out your career goals.  BAE also offers a competitive annually-reviewed salary and our program provides meaningful and challenging work within an inclusive and respectful environment.

\r\n\r\n

We provide more choice and opportunity for career success and we couldn’t be more excited!

\r\n\r\n

What’s next? 

\r\n\r\n

Short listed applicants will be invited to participate in a 1-way video interview. Subsequent stages of the process will include a form of interview, such as an assessment centre or panel interview. 

\r\n\r\n

Once this interview stage has been completed preferred candidates will be sent background screening and pre-employment health assessments. Once all checks have been completed, successful candidates will be notified, and as we are a Circle Back Initiative all other applicants will receive notification ether via email or phone call.

\r\n\r\n

We welcome and strongly encourage applications from women, Aboriginal and Torres Strait Islanders and Veterans for these opportunities.  An inclusive culture and an exciting, supportive start to your career awaits!

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225550777&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/graduate-cyber-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T03:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee450" - }, - "title": "Technologist Graduate Program", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO's people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value. Find out more about diversity and inclusion at ASIO.

\r\n\r\n

The Opportunity

\r\n\r\n

Are you seeking a career at an intelligence agency where you can contribute and make a difference to the security of Australia?

\r\n\r\n

As a Technologist Graduate in ASIO, you will directly contribute to the protection of Australia, its people and its interests. 

\r\n\r\n

ASIO's Technologist Graduate Program is a dynamic and fast paced 12-month program. We are seeking candidates who are passionate about technology and continuous learning to work collaboratively to keep ASIO ahead of the game. As a Technologist Graduate, you will be assigned to one of the following streams: 

\r\n\r\n
    \r\n\t
  • Science & Engineering.
  • \r\n\t
  • Data & Analytics.
  • \r\n\t
  • Information & Cyber Security.
  • \r\n\t
  • Software Engineering & Development.
  • \r\n\t
  • IT Platforms.
  • \r\n
\r\n\r\n

The 12-month program commencing in mid-2025 will equip you with the skills, experience and knowledge to undertake a wide range of technical roles and to establish a diverse and rewarding career in ASIO. 

\r\n\r\n

As a Technologist Graduate, you will undertake 3 workplace rotations designed to showcase the breadth of work that ASIO undertakes. Below is a snapshot of some of the work you may be involved in while on the graduate program (for which we will prepare you accordingly): 

\r\n\r\n
    \r\n\t
  • Work with industry and domestic partners to investigate, implement and manage new capabilities, networks and technologies.
  • \r\n\t
  • Collaborate with business users to develop high-quality, high-performance software solutions within an agile environment.
  • \r\n\t
  • Advance unique solutions to exploit technically-collected data, including through use of Machine Learning and neural networks.
  • \r\n\t
  • Reduce the attack surface and assure the ongoing security posture of IT infrastructure.
  • \r\n\t
  • Undertake reverse engineering activities.
  • \r\n\t
  • Support cyber security investigations.
  • \r\n\t
  • Conduct forensic analysis of digital media.
  • \r\n\t
  • Provide technical collection capabilities, including telecommunications interceptions.
  • \r\n\t
  • Undertake complex data analysis and innovative visualisation to aid investigations.
  • \r\n\t
  • Evaluate technical surveillance counter measures.
  • \r\n\t
  • Engineer high-end mechanical and electrical solutions.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

Preferred candidates will possess the following attributes:

\r\n\r\n
    \r\n\t
  • Ability to work collaboratively in dynamic teams.
  • \r\n\t
  • Display an ongoing commitment to learning.
  • \r\n\t
  • Design and deliver innovative solutions to constantly evolving technical problems.
  • \r\n
\r\n\r\n

Essential skills and qualifications

\r\n\r\n

While we're looking for attitude as much as aptitude, to apply you will need to have completed your degree before the program commences, or graduated in the 3 years prior, with a degree of technical relevance, such as but not limited to:

\r\n\r\n
    \r\n\t
  • Software or Computer Systems Engineering.
  • \r\n\t
  • Cyber Security.
  • \r\n\t
  • Network Engineering.
  • \r\n\t
  • Cloud Computing.
  • \r\n\t
  • Computer Science.
  • \r\n\t
  • Information Technology or Information Systems.
  • \r\n\t
  • Digital Forensics.
  • \r\n\t
  • Electrical/Electronic Engineering.
  • \r\n\t
  • Data Engineering, Data Science or Data Analytics.
  • \r\n\t
  • Mathematics or Statistics.
  • \r\n\t
  • Telecommunications.
  • \r\n\t
  • Project Management or Business Analysis with an ICT focus.
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • Significant training and development as part of a 12-month graduate program.
  • \r\n\t
  • A competitive salary, including a 7.5 per cent allowance for maintaining a Positive Vetting security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4 per cent.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available. During the graduate program, part-time working arrangements may be considered on a case-by-case basis and may require extension of the program in order to be accommodated).
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must: 

\r\n\r\n
    \r\n\t
  • Be an Australian citizen.
  • \r\n\t
  • Have completed a degree of technical relevance, which includes but is not limited to the listed degrees and specialisations above, by the program commencement date or in the past 3 years.
  • \r\n\t
  • Be assessed as suitable to hold and maintain a Positive Vetting security clearance.
  • \r\n
\r\n\r\n

Reasonable Adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

The Technologist Graduate Program is located in Canberra and applicants must be willing to relocate. Relocation assistance is provided to successful candidates where ASIO requires you to relocate.

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.asio.gov.au/careers", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/technologist-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T07:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee451" - }, - "title": "Digital and IT Graduate Development Program", - "description": "

About the graduate development program

\r\n\r\n

The Clean Energy Regulator Graduate Development Program will provide graduates with the opportunity to develop a well-rounded knowledge of the work of the agency, gain experience in the public sector and foster an understanding of Australia’s biggest policy developments.

\r\n\r\n

Participants of the 2025 Graduate Program will experience:

\r\n\r\n
    \r\n\t
  • 3 rotations within the Digital Services Branch over an 11-month program, commencing 3 February 2026
  • \r\n\t
  • an intensive and engaging development program
  • \r\n\t
  • a calendar of learning and development, networking events and activities
  • \r\n\t
  • a mentor and buddy program to assist you throughout the process
  • \r\n\t
  • a guaranteed position on successful completion of the program
  • \r\n
\r\n\r\n

To be eligible for this program, you will need to:

\r\n\r\n
    \r\n\t
  • have completed an undergraduate degree or higher in the last three years (2022 onwards), or be in your last year of study (to be completed by January 2025)
  • \r\n\t
  • have maintained a credit (or equivalent) average throughout your degree.
  • \r\n\t
  • be an Australian citizen and able to obtain and maintain a security clearance at the Baseline level.
  • \r\n\t
  • be willing to relocate to Canberra (relocation assistance will be offered to successful candidates).
  • \r\n
\r\n\r\n

We are looking for high-calibre, motivated graduates with a wide range of backgrounds and qualifications, including but not limited to:

\r\n\r\n
    \r\n\t
  • Information Technology, artificial intelligence
  • \r\n\t
  • Cyber security, advanced computing
  • \r\n\t
  • Advanced computing, business information systems
  • \r\n\t
  • Information systems, software engineering, networking
  • \r\n
\r\n\r\n

We are looking for candidates who can demonstrate the following:

\r\n\r\n
    \r\n\t
  • Ability to work collaboratively to achieve results.
  • \r\n\t
  • Ability to “think outside the box” and offer insight into critical issues.
  • \r\n\t
  • Ability to be flexible, open to change and “roll with the punches”.
  • \r\n\t
  • Ability to make sound situational judgments.
  • \r\n\t
  • Ability to build productive relationships with colleagues and stakeholders.
  • \r\n\t
  • An open mind and willingness to learn, grow and develop yourself and others.
  • \r\n
\r\n\r\n

We welcome and strongly encourage applications from Aboriginal and Torres Strait Islander people, people from a culturally or linguistically diverse background, people with a disability and mature-aged candidates. Applicants are encouraged to indicate this in their application.

\r\n\r\n

Your application should include: 

\r\n\r\n
    \r\n\t
  • Your resume/CV
  • \r\n\t
  • A copy of your most recent academic transcript
  • \r\n\t
  • The details for the two referees
  • \r\n\t
  • Let us know, in between 500 and 750 words what your understanding of our Graduate Program is
  • \r\n\t
  • How you envisage completing the 2025 Graduate Program will fit with your broader career goals/aspirations
  • \r\n\t
  • What part of the Program do you think you would get the most benefit from?
  • \r\n
", - "company": { - "name": "Clean Energy Regulator", - "website": "https://au.prosple.com/graduate-employers/clean-energy-regulator", - "logo": "https://connect-assets.prosple.com/cdn/ff/ciB1YReIRda_sFckX8UaiKD4u9HjeQuef5J9MfZdWQM/1681290171/public/styles/scale_and_crop_center_80x80/public/2023-04/1681290168869_RECOMMENDED%20-%20Australian%20Government%20crest%20with%20CER%20-%20stacked%20square.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/clean-energy-regulator/jobs-internships/digital-and-it-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-30T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee452" - }, - "title": "Graduate Business Consultant", - "description": "

At TechnologyOne, we have one mission – transform business and make life simple for our customers. How do we do this? With the help of awesome people like YOU.  

\r\n\r\n

To help us accomplish our mission, we need people from all walks of life. We believe a vibrant, diverse and inclusive workforce is the way forward. As an industry leader in diversity, we strive to make TechOne an inclusive place to work for everyone. We run unconscious bias awareness programs, offer career resilience courses, run pay analysis to ensure equitable pay, as well as have several user groups dedicated to promoting diversity, including “Women as One” and “Ally at TechOne”. Philanthropic? TechOne has you covered! The TechOne Foundation is dedicated to lifting 500,000 children out of poverty. We do this with our “1% pledge” – 1% of time, product, and profit. By donating not only 1% of our company profit, but also our software, we are able to make an immediate and lasting impact with organisations around the world. TechnologyOne employees are also gifted 2.5 days each year to use towards volunteering at any of our registered charities. 

\r\n\r\n

No matter how you prefer to do it, TechnologyOne is set up to allow you to make an impact.   

\r\n\r\n

We are looking for our next wave of talented Graduate Business Consultants to join our Consulting team starting in February 2026.  

\r\n\r\n

As a Graduate Business Consultant, you will be working within our Application Managed Services (AMS) team to deliver contracted consulting services and drive continuous improvement for our customers across all our products. From your first day, you will become an integral part of “The Power of One” and will be working directly on our products that are used by thousands of companies across Australia, New Zealand, the UK and across the globe! 

\r\n\r\n

About you… 

\r\n\r\n
    \r\n\t
  • You’ve recently completed or are graduating by December 2025 with your Bachelors, Masters, or PhD in any field. Alternatively, you have several years of work experience in a particular field and are looking for a career change
  • \r\n\t
  • Customer centric – you’re a customer advocate and know what it takes to deliver a compelling customer experience
  • \r\n\t
  • You thrive on solving complex problems and enjoy a new challenge
  • \r\n\t
  • A solid communicator, your communication skills are second to none and you’re at your best when talking to customers.
  • \r\n
\r\n\r\n

We’re not expecting perfection, we’re looking for potential. If you haven’t ticked off all of the above yet, but want to, we strongly encourage you to submit your application. We can help you realise your potential. 

\r\n\r\n

What you’ll be doing… 

\r\n\r\n
    \r\n\t
  • Grow your career and skillset under the guidance of a high-performing, collaborative team
  • \r\n\t
  • Developing a deep and ‘hands on’ understanding of the product: its features, functions, design and architecture to configure for our customers and transform their business
  • \r\n\t
  • Analyse customer requirements and mange customer expectations
  • \r\n\t
  • Providing exceptional customer service to all stakeholders
  • \r\n
\r\n\r\n

Benefits… 

\r\n\r\n
    \r\n\t
  • Amazing events in our office such as Hack Days, celebrating and fundraising for our charitable Foundation, our Marvels and many more!
  • \r\n\t
  • Competitive remuneration packages
  • \r\n\t
  • Additional 2.5 days of annual leave dedicated to volunteering through our Foundation with some of our wonderful charity partners
  • \r\n\t
  • Meaningful initiatives to support your financial, physical and mental wellbeing
  • \r\n
\r\n\r\n

More about TechOne… 

\r\n\r\n

TechnologyOne (ASX:TNE) is Australia's largest enterprise software company and one of Australia's top 150 ASX-listed companies, with offices across six countries. We create solutions that transform business and make life simple for our customers. We do this by providing powerful, deeply integrated enterprise software that is incredibly easy to use. Over 1,200 leading corporations, government departments and statutory authorities are powered by our software.  

\r\n\r\n

We pride ourselves on providing our people with earned recognition through career progression, competitive salaries and a supportive environment. We double in size approximately every 4-5 years so career opportunities abound. Everything is about to change. Are you ready? 

", - "company": { - "name": "TechnologyOne", - "website": "https://au.prosple.com/graduate-employers/technologyone", - "logo": "https://connect-assets.prosple.com/cdn/ff/HpEravATXjbLU9CxxWBdE0j5-MkHrOdV0cU1gqJ-auc/1568619289/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-TechnologyOne-120x120-2019_0.jpg" - }, - "application_url": "https://tne.t1cloud.com/T1Default/CiAnywhere/Web/TNE/OrganisationManagement/ApplicationWizard?f=%24ORG.REC.EXAPN.WIZ&suite=CES&func=%24ORG.REC.EXAPN.WIZ&portal=RECRUIT_EXT&isOldGuest=false&token=e240a6e0-b3a5-4468-bbd5-08bd46ef9304", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/technologyone/jobs-internships/graduate-business-consultant-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-26T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee453" - }, - "title": "Data Analyst - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Data analysts are crucial in interpreting data, turning it into valuable insights which enable effective, evidence-based decision making, thus improving business. They gather information from various sources, identify patterns and trends, and communicate what has been found in a digestible manner to the wider business/relevant colleagues. Data analysts require a blend of technical skills, an analytical mindset, and the ability to distil complex information into clear narratives that is accessible to a non-technical audience.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a data analyst role may include:

\r\n\r\n
    \r\n\t
  • Data collection and management: Collect and ETL data from primary and secondary sources, maintain databases/data systems, and ensure data integrity and accuracy.
  • \r\n\t
  • Analysis and interpretation: Analyse large datasets to identify trends and patterns, extract insights that inform business decisions. Utilise statistical tools to interpret data and produce substantive reports.
  • \r\n\t
  • Collaboration and communication: Work closely with business stakeholders to understand their challenges and goals. Translate data findings into actionable insights that can be easily understood by non-technical team members.
  • \r\n\t
  • Reporting and visualisation: Develop regular reports and create dashboards to visualise data in a way that is accessible and actionable for business decision-makers.
  • \r\n\t
  • Performance optimisation: Continuously seek to improve data collection and analysis processes, ensuring maximum efficiency and alignment with business objectives.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a business analyst role will have:

\r\n\r\n
    \r\n\t
  • Customer-focused: Demonstrates an understanding of the business needs and delivers data-driven insights that support client goals and user needs.
  • \r\n\t
  • Self-motivated and independent: Capable of managing tasks independently, effectively prioritises multiple tasks, and thrives under pressure.
  • \r\n\t
  • Strong communicator and analytical thinker: Possesses excellent communication skills and can present complex information in a clear and concise manner. Quick to understand complex problems and devise effective data-driven solutions.
  • \r\n\t
  • Effective Time Management: Efficiently manages time and resources to ensure that projects are completed within deadlines and meet all quality standards.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n
    \r\n\t
  • Data analysis: Strong analytical skills with the ability to collect, organise, analyse, and disseminate significant amounts of information with attention to detail and accuracy.
  • \r\n\t
  • Analytical tools and technologies: Proficiency in SQL, Excel, and visualisation software such as Tableau or Power BI.
  • \r\n\t
  • Operating systems: Knowledge of various operating systems, including Windows and macOS.
  • \r\n\t
  • Educational Background: A degree in Data Science, Statistics, Mathematics, Computer Science, Information Management, or related field is preferred.
  • \r\n
\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/data-analyst-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee454" - }, - "title": "Marketing Intern (FLS) #GeneralInternship", - "description": "Your role as a marketing intern with the Singtel Financial Lifestyle Services (FLS) marketing team will open you to the world of consumer marketing for a mobile wallet.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Marketing-Intern-%28FLS%29-GeneralInternship-Sing/1056978166/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-marketing-intern-fls-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee455" - }, - "title": "Graduate ICT Engineer", - "description": "

Start shaping your future career with Honeywell; Become a #FutureShaper

\r\n\r\n
    \r\n\t
  • Make an Impact.
  • \r\n\t
  • Make Real Connections.
  • \r\n\t
  • Make the Best You.
  • \r\n
\r\n\r\n

Working at Honeywell is not just creating incredible things. You will have the opportunity to work with our talented and inclusive team of professionals and be part of a global team of future shapers.

\r\n\r\n

In choosing to shape your career with Honeywell you can expect:

\r\n\r\n
    \r\n\t
  • Immediate Impact: Dive into a real role from day one, gaining hands-on experience and making a meaningful contribution.
  • \r\n\t
  • Structured Growth: Benefit from a 2-year program that culminates in a permanent job with competitive remuneration.
  • \r\n\t
  • Guided Support: Receive personalised guidance with an assigned buddy in year one and a dedicated mentor in year two as well as participating in your Graduate Huddle Group
  • \r\n\t
  • Continuous Development: Embark on a graduate development journey to enhance your technical and leadership skills.
  • \r\n\t
  • Showcase Your Talents: Sharpen your communication and presentation skills through graduate presentations.
  • \r\n\t
  • Personalised Careers: Craft an individual development plan to shape your career journey with us.
  • \r\n
\r\n\r\n

Your role:

\r\n\r\n

The ICT Graduate Engineering role is responsible for the design, configuration, deployment, commissioning and on-going support of ICT infrastructure including Networks, Virtual Environment infrastructure as well as a focus on Cyber Security and IoT.

\r\n\r\n
    \r\n\t
  • Contribute to the designing, engineering, configuring, implementing, commissioning, and supporting of ICT infrastructure and connected services (Server, Storage, Network, Virtual Platforms), Enterprise Applications (Honeywell Software: EBI, DVM, EM), and ELV Integration at both new and existing client sites.
  • \r\n\t
  • Develop site-specific documentation including configuration, engineering, O&M, testing and commissioning manuals and procedures.
  • \r\n\t
  • Diagnosing complex problems, tuning to improve performance, maintaining and supporting the underlying infrastructure, monitoring of network and system intrusions, provision of switch and router configuration management.
  • \r\n
\r\n\r\n

Skills and Experience

\r\n\r\n
    \r\n\t
  • Degree qualified in a relevant engineering discipline (e.g., Information Technology, Computer Science, Mathematics or Engineering, Cyber Security)
  • \r\n\t
  • Basic understanding of Windows based software
  • \r\n\t
  • Basic understanding of virtualisation
  • \r\n\t
  • Basic understanding of Operational Technology systems such as BMS, Security and CCTV.
  • \r\n\t
  • Strong PC skills, knowledge of Microsoft software and network-based systems on various operating systems
  • \r\n\t
  • A definable passion for technology
  • \r\n\t
  • Very strong written and verbal communication skills
  • \r\n\t
  • Some software
  • \r\n
\r\n\r\n

We Value

\r\n\r\n
    \r\n\t
  • Your confidence to communicate with variety of project stakeholders and that you are comfortable working with a wide variety of stakeholders and sharing, updates, thoughts and ideas.
  • \r\n\t
  • Self-motivated individuals who love to challenge themselves and continuously learn. Join a dynamic team and get the opportunity to add value by solving real world problems and be a true #futureshaper
  • \r\n
\r\n\r\n

Application Information

\r\n\r\n
    \r\n\t
  • The anticipated start date would be Feb 2026
  • \r\n\t
  • Citizenship or Permanent Residency in Australia or New Zealand is required.
  • \r\n\t
  • Successful candidates will be required to successfully complete pre-employment background and drug screening.
  • \r\n
\r\n\r\n

Discover More

\r\n\r\n

We’ve been innovating for more than 100 years and now we’re creating what’s next. There’s a lot more available for you to discover. Our solutions, our case studies, our #futureshapers, and so much more.

\r\n\r\n

If you believe what happens tomorrow is determined by what we do today, you’ll love working at Honeywell. 
\r\nThe future is what we make it. So, join us and let’s do this together.

\r\n\r\n

Honeywell is an equal-opportunity employer, and we support a diverse workforce. Qualified applicants will be considered without regard to age, race, creed, color, national origin, ancestry, marital status, affectional or sexual orientation, gender identity or expression, disability, nationality, sex, religion, or veteran status. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Honeywell Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/J6zf3SXyzRDFLBx9ol13gcVMMkjxsCgMOo7JfVezG2k/1564371375/public/styles/scale_and_crop_center_80x80/public/2019-05/Honeywell_Logo_0.png" - }, - "application_url": "https://careers.honeywell.com/us/en/job/req437271/Graduate-ICT-Engineer?utm_source=social&utm_medium=linkedin&utm_campaign=24_pacific_req437271", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand/jobs-internships/graduate-ict-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee456" - }, - "title": "Graduate Trader", - "description": "

Commencement date: February 2025

\r\n\r\n

Location: Sydney

\r\n\r\n

Eclipse Trading is one of Asia's leading proprietary derivatives trading firms. Founded in 2007, we have over 100 employees across three office locations – Hong Kong (our HQ), Sydney, and Shanghai. Our trading expertise and strategies are deployed across several Asian markets and although we mainly specialise in equity derivatives, we also trade delta one, ETFs, commodity derivatives, and crypto currency products. Technology is inextricably linked to our trading strategies, creating an environment powered by intellectual curiosity, problem solving, and innovation.

\r\n\r\n

We are looking for recent university graduates to join our trading team. Ideal candidates will have a degree within disciplines such as Economics, Business, Actuarial, Mathematics/Statistics, Quantitative Finance, Engineering, Computer Science, Physics, Chemistry, Econometrics, or any other related fields.

\r\n\r\n

The opportunity

\r\n\r\n

The successful candidate will go through an intensive training program in Hong Kong, which typically lasts for 3 months. The learning curve is continuous and your proactive approach is essential in succeeding. You will study options theory and different strategies, and your knowledge will be tested in a simulated trading environment. Once you pass the training program, you'll join the trading desk and from day one you will be given responsibilities as a member of our trading team.

\r\n\r\n

What you offer

\r\n\r\n
    \r\n\t
  • Graduated within the last 18 months in one of the above-listed disciplines
  • \r\n\t
  • High level of numerical ability
  • \r\n\t
  • Competitive mindset
  • \r\n\t
  • Ability to work under pressure
  • \r\n\t
  • Motivation to work as part of a team as well as independently
  • \r\n
\r\n\r\n

What we offer

\r\n\r\n
    \r\n\t
  • A collaborative culture with motivated, intelligent, and respectful colleagues
  • \r\n\t
  • Ongoing mentoring – from the start of your training right through to your time working as part of the trading team
  • \r\n\t
  • Hands-on experience in the most exciting part of the financial industry, with direct impact on trading
  • \r\n\t
  • A flat management structure, where everyone's voice is valued
  • \r\n\t
  • Work life balance within a multi-cultural environment
  • \r\n\t
  • An amazing office with views of Sydney Harbour, complete with a fully stocked kitchen for breakfast and lunch
  • \r\n
\r\n\r\n

Eclipse Trading is an equal opportunity employer and we believe that diversity and inclusion are essential pillars of our success as a company. We are dedicated to embrace a culture reflecting a variety of perspectives, insights and backgrounds to drive innovation. We build talented and diverse teams to drive business results and encourage our people to develop to their full potential.

\r\n\r\n

All information provided will be treated in strict confidence and used solely for recruitment purposes.
\r\nDue to the high number of responses that we receive, we are only able to respond to successful applicants.

", - "company": { - "name": "Eclipse Trading", - "website": "https://au.prosple.com/graduate-employers/eclipse-trading", - "logo": "https://connect-assets.prosple.com/cdn/ff/zwSaau-5WmZ_-87cVb1WHQkbPmR2C4NosIQOWaXX18E/1575744128/public/styles/scale_and_crop_center_80x80/public/2019-11/Logo-Eclipse-Trading-240x240-2019.jpg" - }, - "application_url": "https://grnh.se/c633c1bb2us", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/eclipse-trading/jobs-internships/graduate-trader-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee457" - }, - "title": "IT Graduate Program", - "description": "

Your opportunity to have a unique career experience at a multinational organisation with a local heartbeat but global resources awaits!

\r\n\r\n

Our Nutrien Ag Solutions 2026 Graduate IT & Digital Program will provide the skills and training you need to be a future leader or technical expert within the agricultural industry in the field of Technology & Digital Solutions. The program is designed for top talent who seek a performance-based culture that is built on integrity, safety, inclusion, and results. And because we value the significant impact you have on the future of the industry, you will receive a competitive remuneration package; automatically be progressed into the business at the conclusion of the program; and become a member of a company committed to feeding the future.

\r\n\r\n

What we provide

\r\n\r\n
    \r\n\t
  • Accelerated learning opportunities to kick start your career in agriculture
  • \r\n\t
  • An attractive remuneration package
  • \r\n\t
  • Automatic progression into business at the conclusion of the program
  • \r\n\t
  • Professional networking opportunities allow you to socialize with your peers and leaders across the business.
  • \r\n\t
  • Professional development opportunities to grow your business, communication, problem-solving and data-analysis skills
  • \r\n\t
  • Support from business and industry leaders to develop personally and professionally.
  • \r\n\t
  • Placement mobility once the 24-month program concludes. You may be required to or have the opportunity to move locations all part of ensuring you get the most out of your experience with us
  • \r\n
\r\n\r\n

About the job

\r\n\r\n

Commencing in February 2026, our 24-month program will see you will join a cohort of other ambitious graduates and see you involved in four leadership and skill-building workshops, receive on-the-ground training, and have three mentors assigned to you to provide ongoing support. The Graduate Program is based on a robust learning model and will see you adding value as a full-time ongoing employee from day one; doing real work and delivering real results.

\r\n\r\n

What you’ll need to be successful

\r\n\r\n

To be considered for the 2026 Graduate Program, you will graduate prior to the commencement of the 2026 program or no longer than 3 years ago with a minimum of a Bachelor’s Degree in Technology or a relevant field. 

\r\n\r\n

In addition:

\r\n\r\n
    \r\n\t
  • You will demonstrate a willingness to learn, a proactive approach, strong communication skills and a passion for agriculture.
  • \r\n\t
  • You will be able to demonstrate customer service, problem-solving and leadership capabilities.
  • \r\n\t
  • When thinking about whether you should apply for the graduate program at Nutrien Ag Solutions, ask yourself the following:  Am I curious? Do I want a long-term career in the Agricultural industry? Have I demonstrated leadership in university and extra-curricular activities?  Did I graduate with a credit average or higher? Can I work full-time when the program starts in February 2026?
  • \r\n
\r\n\r\n

If you have answered yes to these questions, we want to hear from you! If you think you are up for the challenge that this role offers, then apply now/pre-register!

\r\n\r\n

Benefits Program

\r\n\r\n

We empower our people to own their work- and it’s true our employees are our competitive advantage – so we take care of our Nutrien Ag Solutions employees with our Employee Value Proposition:

\r\n\r\n
    \r\n\t
  • An attractive remuneration package
  • \r\n\t
  • An additional day of leave – Nutrien Day
  • \r\n\t
  • Gender neutral parental leave policy
  • \r\n\t
  • A supportive, flexible, and engaging environment that will support personal/professional development
  • \r\n\t
  • Opportunities to support community partnerships across our network
  • \r\n\t
  • Be a member of a company committed to feeding the future
  • \r\n\t
  • Ongoing training and development to pursue individual ambitions
  • \r\n\t
  • Purchase Leave – purchase additional annual leave at the beginning of each calendar year
  • \r\n\t
  • Wellbeing - annual health checks & flu shots- onsite wellbeing sessions & webinars
  • \r\n\t
  • A culture of learning!
  • \r\n
\r\n\r\n

Why Nutrien Ag Solutions?

\r\n\r\n

If you want a career that makes a difference, then come work with us at Nutrien where your purpose for coming to work every day is real and impactful - growing our world from the ground up. 

\r\n\r\n

Our people grow their careers here through unique opportunities across every corner of Australia, and globally. We’re the world’s largest provider of crop inputs, services and solutions working across so many diverse sectors.  

\r\n\r\n

Every day we make an impact and help build a more sustainable and profitable farming industry. We’re a local employer, with a local heartbeat, and global resources. So, you’ll know you’re part of something meaningful because you’ll be connected to the communities that you know so well, making a difference in the lives of our customers and suppliers. 

\r\n\r\n

If you’ve never thought about the agriculture industry, it’s time to explore opportunities you’ve never dreamed of while making a real difference. So, come join us.

\r\n\r\n

What are the perks?

\r\n\r\n

We empower our people to own their work- and it’s true our employees are our competitive advantage – so we take care of our Nutrien Ag Solutions employees with our Employee Value Proposition:

\r\n\r\n
    \r\n\t
  • Yearly remuneration review
  • \r\n\t
  • An additional day of leave – Nutrien Day
  • \r\n\t
  • Gender-neutral parental leave policy
  • \r\n\t
  • A supportive, flexible, and engaging environment that will support personal/professional development
  • \r\n\t
  • Opportunities to support community partnerships across our network
  • \r\n\t
  • Ongoing training and development to pursue individual ambitions
  • \r\n\t
  • Purchase Leave – purchase additional annual leave at the beginning of each calendar year
  • \r\n\t
  • Wellbeing - annual health checks & flu shots- onsite wellbeing sessions & webinars
  • \r\n\t
  • A culture of learning!
  • \r\n
\r\n\r\n

Applications must include;

\r\n\r\n
    \r\n\t
  • Copy of your CV
  • \r\n\t
  • Cover letter outlining your passion for agriculture and how you relate to our company values of safety and integrity (one page)
  • \r\n\t
  • Copy of Academic transcript
  • \r\n
\r\n\r\n

Successful applicants will be offered a position in June/July 2025, to commence the role in February 2026.

\r\n\r\n

After more information? Check out our short video on commonly asked questions!

\r\n\r\n

In accordance with Nutrien Ag Solutions’ policies, it may be a requirement for candidates being considered to complete a pre-employment background and medical check as part of the recruitment process for eligible roles. All candidates being considered will be required to complete a visa entitlement check to ensure legal rights to work in Australia are in line with the position.

\r\n\r\n

While we appreciate all applications we receive, only candidates under consideration will be verbally contacted, however, you can expect an update regarding the outcome of your application in written form.

", - "company": { - "name": "Nutrien Ag Solutions", - "website": "https://au.prosple.com/graduate-employers/nutrien-ag-solutions", - "logo": "https://connect-assets.prosple.com/cdn/ff/HMMIY_HYh2tVwCu2dT307fD-2qcUtCehNNgqFTZNZIs/1700092449/public/styles/scale_and_crop_center_80x80/public/2023-11/nutrien-ag-solutions-logo-480x480-2023.jpg" - }, - "application_url": "https://jobs.nutrien.com/job-invite/16997/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nutrien-ag-solutions/jobs-internships/it-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-12T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee458" - }, - "title": "Graduate Program - Indigenous", - "description": "

Our ideal graduate is a collaborative communicator and an analytical thinker with an inquisitive mind that seeks out learning and innovation opportunities. You will value the diverse views, experiences, and perspectives of others and how this will contribute to strengthening our workforce. We need adaptable, resilient people who are not afraid to tackle complex but rewarding issues Health, Graduates are empowered to achieve their full potential in the workplace through our ten (10) monthly Graduate Program that provides:

\r\n\r\n

A comprehensive induction to the Graduate Program and Department of Health and Aged Care

\r\n\r\n

Two (2) diverse placements across the Department.

\r\n\r\n

An inclusive, flexible and healthy workplace with generous leave conditions and a competitive salary.

\r\n\r\n

Starting Salary of $78,954 and advance to an APS5 level of $87,843 after successful completion of the program. 

\r\n\r\n

On-the-job work experience and structured learning and development activities to challenge and develop your capability and guide you in becoming a valuable Australian Public Servant.

\r\n\r\n

Various networking and mentoring opportunities, including opportunities to be involved in the department's National Aboriginal and Torres Strait Islander Staff Network

\r\n\r\n

Access to cultural leave to participate in ceremonial activities and other cultural obligations, including participation in NAIDOC week activities.

\r\n\r\n

Following successful completion of the Graduate Program, additional study leave provisions are also available for Aboriginal and/or Torres Strait Islander staff.

\r\n\r\n

The Department of Health and Aged Care also facilitate the following internal streams:

\r\n\r\n
    \r\n\t
  • Generalist program
  • \r\n\t
  • Legal Stream
  • \r\n\t
  • Communications Steam
  • \r\n\t
  • Science Stream
  • \r\n
\r\n\r\n

Successful applicants can opt into our midyear intake in September 2025 or commence in February 2026.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Health and Aged Care", - "website": "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care", - "logo": "https://connect-assets.prosple.com/cdn/ff/MsWgfP6qEuwzUG_jmv_TujMgfwkGAZ6OVmG5rVKVFl0/1668734239/public/styles/scale_and_crop_center_80x80/public/2022-11/logo-dohac-240x240-2022.jpg" - }, - "application_url": "https://healthjobs.nga.net.au/?jati=5611894D-9E44-2685-72A2-DA7C3D7AAF94", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care/jobs-internships/graduate-program-indigenous-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-13T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee459" - }, - "title": "Technology Volunteer", - "description": "

DLF provides digital mentoring in remote communities to improve digital literacy and social inclusion.

\r\n\r\n

A Tech Mate is a digital mentor that provides one-on-one support to help people learn about technology and use it confidently and safely. Our Tech Mates bring their tech knowledge for seniors who wouldn’t otherwise be able to get online. We assist with any questions they may have and any issues that may arise.

\r\n\r\n

We get it. Teaching people how to use technology can seem daunting, but you aren’t expected to know everything. In fact, the best skills you can have are the ability to admit that you don’t know everything, and to be able to learn on the go…

\r\n\r\n

Typically, our learners are seniors or those from disadvantaged backgrounds or with learning difficulties. You will be assisting seniors with iPads, accessing the Internet, and any other device they may have.

\r\n\r\n

Help improve lives by sharing your tech knowledge on areas like:

\r\n\r\n
    \r\n\t
  • How to print
  • \r\n\t
  • Using emails
  • \r\n\t
  • Attaching/sending or taking photos
  • \r\n\t
  • Signing up or using MyGov
  • \r\n\t
  • How to view bills online
  • \r\n
\r\n\r\n

We provide you with onboarding and guidance, the training you need, and we link you up with a suitable learner and other volunteers to gain valuable customer relationship experience. 

\r\n\r\n

It is ideal if the applicant is based in the Penrith, Hawkesbury, Blue Mountains, Central West or Orana Far West areas. Being within a 30-minute drive of our locations ensures that you can easily and promptly participate in our activities and events.

\r\n\r\n

There’s no waiting to see your impact – it’s obvious from the outset. What we do is really an uplifting and amazing experience.

", - "company": { - "name": "Digital Literacy Foundation", - "website": "https://au.prosple.com/graduate-employers/digital-literacy-foundation", - "logo": "https://connect-assets.prosple.com/cdn/ff/bq_DC7Mmx2LEjLhTSulp7EX0JWZV7EFhmrIlh-EfckE/1715169089/public/styles/scale_and_crop_center_80x80/public/2024-05/logo-Digital%20Literacy%20Foundation-480x480-2024.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/digital-literacy-foundation/jobs-internships/technology-volunteer" - ], - "type": "OTHER", - "close_date": { - "$date": "2025-03-15T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45a" - }, - "title": "Graduate Quality Assurance Engineer, Video Arch", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

About the Team

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

What you will be doing

\r\n\r\n
    \r\n\t
  • Deliver high-quality products on video-on-demand, live-streaming, and real-time communication systems from the backend perspective. This includes designing test strategies, writing test cases, executing functional, performance, and regression tests, verifying bug fixes, and providing comprehensive test reports.
  • \r\n\t
  • Track task progress, assess potential risks, coordinate across teams, and ensure the delivery of products with excellent quality.
  • \r\n\t
  • Develop new features for automation and create regression test cases while contributing to the development of CI/CD (Continuous Integration/Continuous Deployment) processes.
  • \r\n\t
  • Build and optimize development and QA processes to improve overall quality and efficiency.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Proficiency in at least one programming language, such as Python, Go, or Java
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience with automation testing frameworks or DevOps practices
  • \r\n\t
  • Keen awareness of product features and a drive to enhance user experience
  • \r\n\t
  • Passionate, self-motivated individual with strong teamwork abilities
  • \r\n\t
  • Excellent learning, analytical, troubleshooting, and communication skills
  • \r\n\t
  • Involvement in personal coding projects or open-source contributions
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7264422689727727927?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-quality-assurance-engineer-video-arch-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45b" - }, - "title": "Generalist Stream Graduate Program", - "description": "

Do you want to work on contemporary policy programs and services within the Australian Government? Graduates from all degrees welcome.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

As a Generalist Stream graduate, you will have the opportunity to work on contemporary policy and programs within the Australian Government. The work you do will influence important decisions, which may impact the everyday lives of many of your fellow Australians. You’ll offer advice, support and guidance on policies and see the direct impact it has on the public.

\r\n\r\n

The Australian Government Graduate Program Generalist Stream offers challenges in a flexible and fast-paced environment. We want you to be adaptable, positive, and willing to learn and innovate. You will be challenged in your way of thinking; make important contributions through the work you do and help deliver on our commitments as an organisation.

\r\n\r\n

Generalist Stream graduates work in a variety of roles across many different business areas that closely relate to the degree they have studied. Some of the work Generalist graduates could do to contribute to their organisation may include:

\r\n\r\n
    \r\n\t
  • Undertaking a variety of tasks and activities within the business areas
  • \r\n\t
  • Contributing to the team and organisation’s strategic goals
  • \r\n\t
  • Undertaking analysis and research projects
  • \r\n\t
  • Coordinating requests for information across business areas
  • \r\n\t
  • Assisting with project/program management
  • \r\n\t
  • Preparing briefing materials, submissions, reports or correspondence
  • \r\n\t
  • Other generalist tasks as required and directly related to the agency/department.
  • \r\n
\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

The AGGP Generalist Stream provides graduates with a unique foundation to expand on existing capabilities and will assist to further develop skills and knowledge across the Australian Government.

\r\n\r\n

Graduates in the Generalist Stream have a range of degree disciplines. These include public policy, arts, sciences, humanities, law, international relations, media, communications, design, accounting, finance, etc. 

\r\n\r\n

Graduates of all degrees are welcome to apply.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

Pre-register to be notified when applications open. 

\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n\t
  • Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency
  • \r\n
\r\n\r\n

Most graduate roles are based in Canberra. Some roles may be available in other Australian cities and major regional centres.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/generalist-stream-MCPUVPREJVLBAE3OSRE5TIKWXG6Q", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/generalist-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45c" - }, - "title": "TRAINEE: Data Analyst and Credit Administation Support", - "description": "You will help perform data analytics to improve portfolio management and risk monitoring.", - "company": { - "name": "Societe Generale", - "website": "https://au.gradconnection.com/employers/societe-generale-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/0e22d09c-e7f7-4806-a39d-202bd6e004a0-new-logo.png" - }, - "application_url": "https://careers.societegenerale.com/en/job-offers/trainee-data-analyst-and-credit-administation-support-2500006D-en", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/societe-generale-hk/jobs/societe-generale-trainee-data-analyst-and-credit-administation-support" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-14T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45d" - }, - "title": "Strategy and Product Internship", - "description": "

About the Program

\r\n\r\n

Our goal is to give you a real sense of what it’s like to work at Jane Street full time. Over the course of your internship, you will explore ways to approach and solve exciting problems within your field of interest through fun and challenging classes, interactive sessions, and group discussions — and then you will have the chance to put those lessons to practical use.

\r\n\r\n

As an intern, you are paired with full-time employees who act as mentors, collaborating with you on real-world projects we actually need done. When you’re not working on your project, you will have plenty of time to use our office amenities, physical and virtual educational resources, attend guest speakers and social events, and engage with the parts of our work that excite you the most.

\r\n\r\n

If you’ve never thought about a career in finance, you’re in good company. Many of us were in the same position before working here. If you have a curious mind, a collaborative spirit, and a passion for solving interesting problems, we have a feeling you’ll fit right in. 

\r\n\r\n

About the Position

\r\n\r\n

As a Strategy and Product Intern*, you’ll learn how we solve problems across departments to support the firm’s growth in an incredibly competitive global market.

\r\n\r\n

Our Strategy and Product department sits at the intersection of several teams, including Trading, Technology, Compliance, Finance, Operations, and more. With this unique, holistic perspective, interns are able to see how all parts of the firm interact and intersect with each other, getting a comprehensive overview of our business.

\r\n\r\n

During the program, you'll work on live projects that combine big-picture thinking with deep dives into data and documentation. You might help identify and resolve bottlenecks, automate existing manual processes, or integrate new trade flows into our operational, regulatory, and technical infrastructure. In the process, you will coordinate closely with several internal stakeholders and groups to gather information and feedback. SP Interns returning full-time will spend their first year of employment engaged in a training curriculum called the Rotational Development Program - more info here:https://www.janestreet.com/join-jane-street/sp-rdp/

\r\n\r\n

*This role was previously categorized under the \"Business Development and Rotational Development Program\" department. We recently rebranded the name of the department to “Strategy and Product” to more accurately describe the work individuals on this team will contribute to. Learn more about the Jane Street Internship here: https://www.janestreet.com/join-jane-street/programs-and-events/internships-all-cycles/  and the Strategy and Product department here: https://www.janestreet.com/join-jane-street/departments/?dept=strategy-and-product

\r\n\r\n

About You

\r\n\r\n

We don’t expect you to have a background in finance or any other specific field — we’re looking for smart people who enjoy solving interesting problems. We’re more interested in how you think and learn than what you currently know. You should be:

\r\n\r\n
    \r\n\t
  • Planning to graduate in 2026
  • \r\n\t
  • Interested in developing a broad range of technical skills, from working with and analyzing data to understanding and writing code
  • \r\n\t
  • Able to evaluate processes and create informed, concrete proposals (which you’ll proactively lead from start to finish)
  • \r\n\t
  • Reliable and courteous, with strong organizational, interpersonal, and communication skills
  • \r\n\t
  • Eager to ask questions, admit mistakes, and constantly deepen your understanding
  • \r\n\t
  • Has analytical experience using systematic problem solving (ie: through STEM coursework, previous work experience, extracurricular activities, etc.)
  • \r\n\t
  • Fluency in English required
  • \r\n
\r\n\r\n

Please note: Jane Street will provide flights to and from Hong Kong as well as accommodation throughout the entirety of the program. 

", - "company": { - "name": "Jane Street", - "website": "https://au.prosple.com/graduate-employers/jane-street", - "logo": "https://connect-assets.prosple.com/cdn/ff/nwU9ZudKIicUjLYrSqoYOC5Pz0o56S1loH42gzFu2DQ/1614271474/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-jane-street-480x480-2021.jpg" - }, - "application_url": "https://www.janestreet.com/join-jane-street/position/7078183002/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/jane-street/jobs-internships/strategy-and-product-internship-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-15T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "OTHERS"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "VISA_SPONSORED", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45e" - }, - "title": "Software Development Internship", - "description": "

Overview

\r\n\r\n

Are you interested in our Software Development Internship Program? Apply here! 

\r\n\r\n

Susquehanna is looking for curious problem solvers in their penultimate year of university to join our 2025 Software Development Internship Program.

\r\n\r\n

Susquehanna is one of the world’s largest market makers, with a unique approach to trading, technology, and research. While this background puts us at the top of our game, what really makes us successful is our quantitative approach to decision making and the collaboration between our employees. 

\r\n\r\n

Susquehanna Software Development Internship Program

\r\n\r\n

Susquehanna's technology team builds some of the most powerful trading systems in the financial industry. This includes large scale computations, real-time systems, high performance computing and petabytes of data. By integrating sophisticated coding techniques with innovative engineering ideas, we design and optimise systems that can process massive amounts of data while still ensuring high performance and stability. Working with traders and quantitative researchers, our systems engineers, network architects, technical analysts and software developers create industry-leading technical solutions.

\r\n\r\n

Watch Selina’s “Day in the life” as a Software Developer!

\r\n\r\n

\r\n\r\n

Your internship experience includes:

\r\n\r\n
    \r\n\t
  • As a software development intern, you will be placed directly into a team for the duration of the program. This will help you gain a deep understanding of your line of business, while you build relationships with our full time employees.
  • \r\n\t
  • With your team’s mentorship, you will be responsible for the full life cycle of your own project. You will have a hand in the requirements gathering, design, implementation, documentation, and testing of your work.
  • \r\n\t
  • Your project will be selected at the start of the internship to ensure your work is relevant and will continue to directly impact the business after the program ends.
  • \r\n\t
  • You will attend education sessions that will aid in your professional development, build your knowledge of trading, and how technology is impacting our industry
  • \r\n
\r\n\r\n

What we're looking for

\r\n\r\n
    \r\n\t
  • Technical: Strong software development skills in any object-oriented language (we use C++, Python, and C# the most) and a solid knowledge of algorithms, data structures, and object-oriented design patterns.
  • \r\n\t
  • Curious: A passion for technology and a tinkering spirit.
  • \r\n\t
  • Effective Communicators: You enjoy building relationships with those you work closely with. You enjoy sharing ideas, expressing your thoughts, and listening to the views of others.
  • \r\n\t
  • Problem Solvers: You enjoy solving puzzles and love it when you discover a solution to a difficult problem, with a demonstrated interest in strategic games and/or competitive activities.
  • \r\n\t
  • Penultimate Year Student: Confirmed plan to graduate by December 2026 with a degree in Computer Science, Computer Engineering or a similar technical major, Distinction average WAM, from an Australian or New Zealand University.
  • \r\n
\r\n\r\n

What’s in it for you:

\r\n\r\n
    \r\n\t
  • Our 10-week education program incorporating classroom theory, simulated learning, project work and on the job coaching.
  • \r\n\t
  • Our non-hierarchical culture allows employees of every level to thrive and make impact. We are not your typical trading firm – the environment is casual, collaborative and we focus on continuous development.
  • \r\n\t
  • Highly competitive remuneration.
  • \r\n\t
  • Fully stocked kitchen - daily breakfast and lunch.
  • \r\n\t
  • Regular social, sporting and community events.
  • \r\n\t
  • Wellness initiatives.
  • \r\n\t
  • Flights + Accommodation provided.
  • \r\n
\r\n\r\n

To learn more about the program and the role, visit Technology Campus Programs and a Day in the life of a Developer.

\r\n\r\n

Our Interview Process:

\r\n\r\n
    \r\n\t
  • Application
  • \r\n\t
  • Online Assessment
  • \r\n\t
  • Recruiter Conversation
  • \r\n\t
  • Technical screen (LiveCoding)
  • \r\n\t
  • Office Interview (Design & Team Fit)
  • \r\n\t
  • Job Offer
  • \r\n
\r\n\r\n

Equal Opportunity statement

\r\n\r\n

We encourage applications from candidates from all backgrounds, and we welcome requests for reasonable adjustments during the recruitment process to ensure that you can best demonstrate your abilities. If you have any questions, please contact sydneycampus@sig.com.
\r\n
\r\nSusquehanna does not accept unsolicited resumes from recruiters or search firms. Any resume or referral submitted in the absence of a signed agreement will become the property of Susquehanna and no fee will be paid.

", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.prosple.com/graduate-employers/susquehanna-international-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/CeoRFXWes8A54S2HkF0mOm8DoZynsKaytsT9ZbKDUfg/1726628071/public/styles/scale_and_crop_center_80x80/public/2024-09/logo-sig-480x480-2024.jpg" - }, - "application_url": "https://careers.sig.com/job/8632/Software-Development-Internship-November-2025/?utm_source=prosple&utm_medium=referral&utm_campaign=01152025-syd-prosple-2025-lb&utm_content=software-dev-intern", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/susquehanna-international-group/jobs-internships/software-development-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee45f" - }, - "title": "Forensic Technology Vacationer Program", - "description": "

Different Mindset. Different Opportunity.

\r\n\r\n

At KordaMentha, we're known for doing things differently. And we're known for coming up with bold new ways to help clients solve their most complex commercial problems.
\r\n
\r\nWe help clients throughout their lifecycle. We help them grow and maximise value. We help protect them against financial loss and reputational damage. And we help them recover value in tough times.
\r\n
\r\nAt KordaMentha, we provide the opportunity to work on interesting and varied engagements, where no two days are the same.
\r\n
\r\nBy joining us a vacationer, you will become part of a unique, creative and entrepreneurial team that works together to solve complex business problems. You will be given the opportunity to engage in a supportive environment where you're encouraged to ask \"what if?\" and \"why not?\" to find new ways to help clients grow, protect and recover value. Best of all, you'll learn from a diverse group of people while we invest in your study and training. You may only be here for a short time, but you will get exposure to a wide variety of tasks and by the end of the placement, you'll have a really good understanding of the industry and whether this is something you'd like to do as a graduate career!
\r\n
\r\nApplying 'a different mindset' is at the heart of everything KordaMentha does, and it is fuelled by the diversity of our peoples' experiences and backgrounds. We are committed to enhancing diversity within the firm and celebrating differences. We work with our people to make reasonable adjustments and support their ability to thrive in a positive, barrier-free environment through the recruitment process and into the workplace.

\r\n\r\n

Your opportunity: Forensic Technology

\r\n\r\n

Our forensic group uncover, analyse and clarify facts at the centre of disputes, investigations and other sensitive matters. We are one of the largest teams of forensic investigators, forensic accountants and forensic technology specialists in Asia-Pacific and are regularly called on to provide evidence in sensitive, high-profile disputes and investigations.
\r\n
\r\nOur forensic technology group helps to identify, preserve, analyse and present electronic evidence to assist in investigations and disputes. Whether it be imaging personal computers, servers or mobile phones, or perhaps investigating a cyber hack, we quickly identify the facts. Our work often involves explaining difficult and complex concepts to our clients, often in a report or presentation, so we are looking for applicants with great written skills as well as a keen interest in technology.

\r\n\r\n

What you'll be doing

\r\n\r\n

As a vacationer in our forensic technology group, you'll work as part of a diverse team and will learn the specialist skills and methodologies to become an expert in digital forensic and forensic discovery. While no two days will be the same, you can expect to:

\r\n\r\n
    \r\n\t
  • work in a high tech forensic laboratory using cutting-edge equipment
  • \r\n\t
  • conduct forensic imaging of computers and other electronic devices (e.g. flash media, smartphones) to find and secure evidence
  • \r\n\t
  • conduct digital aspects of investigations alongside our expert investigators
  • \r\n\t
  • research new opportunities and assist with the preparation of proposals
  • \r\n\t
  • attend training courses to keep up to date with industry-leading software
  • \r\n\t
  • attend events and other marketing activities
  • \r\n
\r\n\r\n

But it's not all about work. You'll be given a buddy to help you navigate office life as you settle in. We have regular catch-ups with People and Culture to ensure you are getting the most out of your placement. We host regular events and activities, bringing together our close-knit team in a friendly and relaxed environment so you can get to know the people behind the professionals.

\r\n\r\n

About you

\r\n\r\n

You will be a student in your penultimate year of study and will have:

\r\n\r\n
    \r\n\t
  • an IT, computer science or law degree with strong academic results.
  • \r\n\t
  • excellent analytical and technical skills, with an ability to think outside the box.
  • \r\n\t
  • strong written skills.
  • \r\n\t
  • great communication skills and enjoy working in a team.
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only).
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://www.kordamentha.com/careers/graduate-careers?utm_source=GradAustralia&utm_medium=website&utm_campaign=graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/forensic-technology-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-07T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "WA"], - "study_fields": ["IT & Computer Science", "Law, Legal Studies & Justice"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee460" - }, - "title": "Graduate Sales Development Representative", - "description": "

At TechnologyOne, we have one mission – transform business and make life simple for our customers. How do we do this? With the help of awesome people like YOU.  

\r\n\r\n

To help us accomplish our mission, we need people from all walks of life. We believe a vibrant, diverse and inclusive workforce is the way forward. As an industry leader in diversity, we strive to make TechOne an inclusive place to work for everyone. We run unconscious bias awareness programs, offer career resilience courses, run pay analysis to ensure equitable pay, as well as have several user groups dedicated to promoting diversity, including “Women as One” and “Ally at TechOne”. Philanthropic? TechOne has you covered! The TechOne Foundation is dedicated to lifting 500,000 children out of poverty. We do this with our “1% pledge” – 1% of time, product, and profit. By donating not only 1% of our company profit, but also our software, we are able to make an immediate and lasting impact with organisations around the world. TechnologyOne employees are also gifted 2.5 days each year to use towards volunteering at any of our registered charities.  

\r\n\r\n

No matter how you prefer to do it, TechnologyOne is set up to allow you to make an impact.   

\r\n\r\n

We are looking for our next wave of talented Graduate Sales Representatives to join our Sales team in January 2026. 

\r\n\r\n

As a Graduate Sales Representative, you will be working within our TechOne Direct team and will be responsible for generating and developing qualified leads to build a pipeline for the wider sales team. From your first day, you will become an integral part of “The Power of One” and will be working to provide our customers with products that are used by thousands of companies across Australia, New Zealand, the UK and across the globe! 

\r\n\r\n

About you… 

\r\n\r\n
    \r\n\t
  • You’ve recently completed or are graduating by December 2025 with your Bachelors, Masters, or PhD
  • \r\n\t
  • Customer-centric – you’re a customer advocate and know what it takes to deliver a compelling customer experience
  • \r\n\t
  • You have strong interpersonal skills and can work as part of a team
  • \r\n\t
  • Ability to multitask, take initiative, prioritise and manage time effectively
  • \r\n
\r\n\r\n

We’re not expecting perfection, we’re looking for potential. If you haven’t ticked off all of the above yet, but want to, we strongly encourage you to submit your application. We can help you realise your potential. 

\r\n\r\n

What you’ll be doing… 

\r\n\r\n
    \r\n\t
  • Learn how to build strong, effective relationships with our valued customers
  • \r\n\t
  • Participate in rotations across multiple departments in the business
  • \r\n\t
  • Connect with your buddies/mentors over coffee
  • \r\n\t
  • Learn about your role and the broader organisation
  • \r\n\t
  • Expand your people skills through networking events
  • \r\n\t
  • Engage in team bonding activities
  • \r\n\t
  • Make an impact to the community by volunteering your time
  • \r\n\t
  • Participate in TechnologyOne annual events such as Hack Day and Marvel Awards
  • \r\n\t
  • Engage with social media platforms, create alerts on keywords, research topics and share information with prospective customers on TechnologyOne's capability
  • \r\n
\r\n\r\n

Benefits… 

\r\n\r\n
    \r\n\t
  • Exclusive (and 24/7) access to our brand new onsite state of the art double storey gym facilities
  • \r\n\t
  • Competitive remuneration package
  • \r\n\t
  • Free breakfast on-site and the best coffee machines in town
  • \r\n\t
  • Generous employee share scheme option that we think is the best around
  • \r\n\t
  • More free event T-shirts than you will ever need
  • \r\n\t
  • Quite simply, the best work culture in Australia (in our opinion)!
  • \r\n\t
  • Hybrid working arrangements
  • \r\n\t
  • Additional 2.5 days of annual leave dedicated to volunteering through our Foundation with some of our wonderful charity partners
  • \r\n\t
  • Defined career framework – know what options you have in your career path and how you can get there
  • \r\n
\r\n\r\n

More about TechOne...

\r\n\r\n

Silicon Valley? Try Fortitude Valley.

\r\n\r\n

Founded and forged in Brisbane 35 years ago, TechnologyOne has been making an impact since day one and has grown to be Australia’s largest ERP Software company. 

\r\n\r\n

Today, we are an ASX-100 listed company with offices in six countries and over 1,200 customers who entrust our software to power their businesses. Our 99% customer retention rate is a testament to our commitment to excellence. 

\r\n\r\n

What truly makes TechnolgyOne great? Our core values are an integral part of making us the company we are today. 

\r\n\r\n

We believe: 

\r\n\r\n
    \r\n\t
  • Customers are our True North
  • \r\n\t
  • Simplicity is our Compass
  • \r\n\t
  • People are our Power
  • \r\n\t
  • We’re Stronger as One
  • \r\n\t
  • We Make the Impossible, Possible
  • \r\n
\r\n\r\n

What are you waiting for? Start your application and join an award-winning employer, or head over to our careers website for more information. 

\r\n\r\n

We value diversity and aim to create a vibrant and inclusive workforce. If you meet a number of the requirements (and not all), we encourage you to submit your application. 

\r\n\r\n

All applicants must have full working rights in Australia.

", - "company": { - "name": "TechnologyOne", - "website": "https://au.prosple.com/graduate-employers/technologyone", - "logo": "https://connect-assets.prosple.com/cdn/ff/HpEravATXjbLU9CxxWBdE0j5-MkHrOdV0cU1gqJ-auc/1568619289/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-TechnologyOne-120x120-2019_0.jpg" - }, - "application_url": "https://tne.t1cloud.com/T1Default/CiAnywhere/Web/TNE/Public/Function/%24ORG.REC.EXAPN.WIZ/RECRUIT_EXT?suite=CES&token=c235e506-5e2d-4258-80df-c81635d3a629", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/technologyone/jobs-internships/graduate-sales-development-representative" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-02T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee461" - }, - "title": "AI Enablement Intern", - "description": "

Your role

\r\n\r\n

Join St Trinity's team as an AI Enablement Intern and play a pivotal role in transforming the way they operate by integrating advanced AI solutions across their business.

\r\n\r\n

Key Responsibilities:

\r\n\r\n
    \r\n\t
  • Test and Optimize AI Tools: Lead the exploration and implementation of AI-driven tools across different departments, ensuring efficiency and effectiveness in business operations.
  • \r\n\t
  • Develop Internal Tools & Web Apps: Utilize AI to build internal tools or web applications that enhance productivity and address business challenges.
  • \r\n\t
  • Create Voice and Text Chatbots: Develop and refine AI-powered chatbots (both voice and text) to improve customer service, automate processes, and increase engagement.
  • \r\n\t
  • Enhance Marketing and Sales Processes: Use AI to optimize marketing strategies and sales funnels, boosting overall conversion rates and customer satisfaction.
  • \r\n\t
  • Champion AI Adoption: Work closely with various teams to train, guide, and encourage the adoption of AI-driven processes. Become the go-to expert for team members looking to integrate AI into their daily workflows.
  • \r\n\t
  • Collaborate with Senior Leadership: Partner with senior executives and leadership teams to align AI initiatives with the company’s broader strategic goals, ensuring that AI tools deliver maximum business impact.
  • \r\n\t
  • Research & Document Best Practices: Conduct in-depth research on the latest AI technologies and best practices, documenting findings and building a knowledge base for ongoing AI initiatives.
  • \r\n\t
  • Automation & Workflow Optimization: Assist in the creation of AI-driven automation systems that reduce manual tasks, streamline workflows, and drive productivity.
  • \r\n\t
  • Share Learnings & Impact: Consistently document progress, insights, and lessons learned, and share them across the business to ensure that knowledge is transferred and scalable.
  • \r\n
\r\n\r\n

Get to know more about St Trinity Property Group by watching this video:

\r\n\r\n

\r\n\r\n

About you

\r\n\r\n

You must meet these ideal skills & qualifications:

\r\n\r\n
    \r\n\t
  • Passion for AI: Deep enthusiasm for generative AI, machine learning, and emerging technologies, with the ability to quickly learn and apply new tools.
  • \r\n\t
  • Humility, Curiosity, and Growth Mindset: Eagerness to learn, ask questions, and explore new ideas while being adaptable in a fast-paced environment.
  • \r\n\t
  • Basic Coding Knowledge: Ability to read and understand basic code to execute API calls. (Proficiency in HTML, Python, or JavaScript is a bonus but not required).
  • \r\n\t
  • Automation & Workflow Expertise: Familiarity with workflow optimization tools and processes that drive automation and efficiency.
  • \r\n\t
  • Strong Communication & Documentation Skills: Ability to document and communicate AI findings, solutions, and learnings in a clear, accessible way to both technical and non-technical stakeholders.
  • \r\n\t
  • Collaboration & Influence: Comfortable working closely with leadership teams and influencing change at various levels of the business.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

What St Trinity Offers:

\r\n\r\n
    \r\n\t
  • Hands-On Experience with Leading AI Technologies: Work with advanced tools and gain deep, practical experience in how AI can transform a business.
  • \r\n\t
  • Mentorship & Exposure to Leadership: Work closely with senior executives and experienced professionals who will guide and support your development.
  • \r\n\t
  • Impactful Work: Every project you touch will have a direct, visible impact on the business, allowing you to make meaningful contributions from day one.
  • \r\n\t
  • Collaborative Environment: Be part of a team that values innovation, experimentation, and a growth-oriented mindset.
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

This internship offers an unparalleled opportunity to contribute to projects that have a direct impact on the company’s growth and innovation. You will work closely with senior leadership and executives, gaining valuable exposure to strategic decision-making while leading the charge in leveraging AI to streamline operations, optimize processes, and improve overall business performance.

\r\n\r\n

The Impact You’ll Have:

\r\n\r\n
    \r\n\t
  • Direct Influence on Business Success: Your work will directly affect the way the business operates, helping to optimize processes and create AI-driven solutions that make a measurable impact on performance, revenue, and efficiency.
  • \r\n\t
  • Strategic Decision-Making: You will gain first-hand experience working with senior leadership and executives, helping to shape the company’s AI strategy and contributing to key business initiatives.
  • \r\n\t
  • Drive Innovation: Lead the way in introducing cutting-edge AI tools, ensuring our company remains at the forefront of industry innovation. Your contributions will create scalable solutions that help drive future growth.
  • \r\n
\r\n\r\n

Source

\r\n\r\n

The following source was used to research this page:

\r\n\r\n
    \r\n\t
  • sttrinity.com.au/about-us/
  • \r\n
", - "company": { - "name": "St Trinity Property Group", - "website": "https://au.prosple.com/graduate-employers/st-trinity-property-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/mXv_Fy781LbU4gzY5fvXYEWegpfKbs5h65OAF0_LGqo/1645698440/public/styles/scale_and_crop_center_80x80/public/2022-02/Logo-st-trinity-property-group-480x480-2022.jpg" - }, - "application_url": "https://sttrinity.zohorecruit.com/jobs/Careers/603526000027026461/AI-Enablement-Intern?source=CareerSite", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/st-trinity-property-group/jobs-internships/ai-enablement-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee462" - }, - "title": "Information Technology Graduate Program", - "description": "

More knowledge, less speculation

\r\n\r\n

The 2025 Graduate Development Program in Information Technology (IT) at the Reserve Bank of Australia (RBA) is designed to support the development of emerging professional talent. RBA’s IT team embraces innovation and is responsible for designing, transforming and developing the core IT functions that support the Bank’s objectives.

\r\n\r\n

Our industry recognised program provides our graduates with:

\r\n\r\n
    \r\n\t
  • Two year rotational program
  • \r\n\t
  • Four rotations of six months each
  • \r\n\t
  • A supportive environment with training and mentoring
  • \r\n\t
  • Development of industry skills
  • \r\n\t
  • Technical and non-technical pathways
  • \r\n\t
  • A career that truly makes a difference to all Australians
  • \r\n
\r\n\r\n

At the RBA, each IT Graduate is supported through their career exploration by the IT Senior Leadership Team. Our graduate program provides you with four rotations in areas including:

\r\n\r\n
    \r\n\t
  • IT Security (analytical, testing and consulting)
  • \r\n\t
  • Business intelligence (architecture, development and analysis)
  • \r\n\t
  • Project and portfolio management
  • \r\n\t
  • Communications and change management
  • \r\n\t
  • Strategy and enterprise architecture
  • \r\n\t
  • Strategic planning
  • \r\n\t
  • Infrastructure engineering and development
  • \r\n\t
  • Data Science
  • \r\n\t
  • Collaboration platform development
  • \r\n\t
  • Innovation Lab
  • \r\n\t
  • Business Analysis Practice
  • \r\n\t
  • Software Development (.NET, Java and mobile)
  • \r\n
\r\n\r\n

IT Graduate applicants must hold or be completing a degree with strong academic achievement in information technology, computer science, data science, mathematics or a closely related discipline. All applicants must be Australian permanent residents or citizenship, or New Zealand citizenship.

\r\n\r\n

The Reserve Bank of Australia is an equal-opportunity employer.  We are committed to creating a diverse and inclusive workplace and encourage applications from experienced candidates seeking workplace flexibility.

\r\n\r\n

For further information about the RBA and Graduate Program, please visit our website.

", - "company": { - "name": "Reserve Bank of Australia", - "website": "https://au.prosple.com/graduate-employers/reserve-bank-of-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/9TkA_wOmR8zHDo2ItpcQsIcYFFUxhzSTrDoim6Z519Q/1585906995/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-reserve-bank-of-australia-rba-120x120-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/reserve-bank-of-australia/jobs-internships/information-technology-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-06T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee463" - }, - "title": "Cyber Security Analyst Internship Program 2025", - "description": "As a Cyber Security Analyst, you will play a crucial role in protecting our computer systems and networks against the ever-increasing threat of cyber attacks. By implementing and maintaining security measures, you will help to mitigate risks and reduce the potential for data breaches.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-cyber-security-analyst-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-cyber-security-analyst-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee464" - }, - "title": "Security Vetting Analyst", - "description": "

About Mitchell Personnel Solutions 

\r\n\r\n

Mitchell Personnel Solutions (MPS) is a Canberra based business that was founded in 2006 as a leading provider of personnel security vetting to the Commonwealth Government of Australia. MPS has built a business that empowers people. We invest in our people and support them to develop their career. 

\r\n\r\n

At MPS we are strong believers in the importance of security vetting and its place as a frontline defence against threats to the security of both the Nation and the Australian Government. With a workplace focused on wellbeing, we have built a diverse team of skilled staff, a high retention rate and engaged employees. 

\r\n\r\n

Over its 18+ years in business, MPS has been a trusted partner with the Australian Government as a panel member supporting the Australian Government Security Vetting Agency (AGSVA). 

\r\n\r\n

Your role

\r\n\r\n

Under limited direction and working in a Team environment, perform security clearance assessments in accordance with the Protective Security Policy Framework (PSPF), AGSVA guidelines and standard operating procedures.

\r\n\r\n
    \r\n\t
  • Conduct security clearance assessments
  • \r\n\t
  • A typical day may include:\r\n\t
      \r\n\t\t
    • Security Interviews (face to face/online)
    • \r\n\t\t
    • Collecting and assessing sensitive information and providing recommendations on a candidate’s suitability to hold a security clearance 
    • \r\n\t\t
    • Identifying and assessing risks and anomalies
    • \r\n\t\t
    • Preparation of evidence-based analysis and reports
    • \r\n\t\t
    • Quality Assuring Case Files
    • \r\n\t\t
    • Document processing and administration
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Be responsive to feedback
  • \r\n\t
  • Work to tight deadlines and achieve agreed key performance indicators/benchmarks relevant to the security clearance level of files (baseline, NV1, NV2, PV) 
  • \r\n\t
  • Travel may be required.
  • \r\n
\r\n\r\n

Capability requirements

\r\n\r\n

Key capabilities for success in this role are: 

\r\n\r\n
    \r\n\t
  • Strong interpersonal and communication skills.
  • \r\n\t
  • High attention to detail and accuracy.
  • \r\n\t
  • High levels of integrity and discretion.
  • \r\n\t
  • Strong computer literacy and ability to learn new information systems.
  • \r\n\t
  • Work effectively within a team and autonomously, setting your own schedule based on workload.
  • \r\n\t
  • Experience in, or understanding, of the Australian Federal Government and PSPF.
  • \r\n\t
  • Life experience is highly regarded.
  • \r\n
\r\n\r\n

Employment requirements

\r\n\r\n

To be eligible for this position applicants are required to be Australian Citizens. 

\r\n\r\n

An applicant’s suitability for employment with MPS will also be assessed through a variety of pre-employment check processes including: 

\r\n\r\n
    \r\n\t
  • Holding a Certificate IV in Government Security (Personnel Vetting); and
  • \r\n\t
  • Be eligible to hold a security clearance of at least Negative Vetting 1 (NV1); and
  • \r\n\t
  • Complete a medical declaration and (where required) a pre-employment medical assessment. 
  • \r\n
\r\n\r\n

Learning and Development

\r\n\r\n

MPS offer extensive professional development opportunities to grow our employees in the vetting space and for their future careers. 

\r\n\r\n

What we offer

\r\n\r\n

MPS will prepare you for a rich and rewarding career with future pathways to working within the Australian Federal Government across the Australian Intelligence Community.

\r\n\r\n

Work life balance

\r\n\r\n

MPS supports their workforce by offering flexible and generous workplace terms and conditions of employment. 

\r\n\r\n

Standard work hours for full-time employees is 7 hours, 30 minutes per day. 

\r\n\r\n

First Nations peoples are encouraged to apply for these roles.

", - "company": { - "name": "Mitchell Personnel Solutions", - "website": "https://au.prosple.com/graduate-employers/mitchell-personnel-solutions", - "logo": "https://connect-assets.prosple.com/cdn/ff/1_L5qTkK5rdEL89iml-RsAjogDfVVsVfnPCbUI-IIq4/1707180947/public/styles/scale_and_crop_center_80x80/public/2024-02/1707180944873_MPS%20Logo.png" - }, - "application_url": "https://us.makeforms.co/wbdrm9c/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mitchell-personnel-solutions/jobs-internships/security-vetting-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2026-12-29T13:00:00.000Z" - }, - "locations": [], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee465" - }, - "title": "Graduate Program", - "description": "

As a Graduate of the Department of Health and Aged Care, you will have the opportunity to assist in developing and implementing policies and programs across a vast range of issues. You will contribute ideas and learn new skills in an environment that draws upon diversity and fosters innovation and high performance. 

\r\n\r\n

Your work will affect the lives of all Australians.

\r\n\r\n

Graduates are empowered to achieve their full potential in the workplace through our ten (10) monthly Graduate Program that provides:

\r\n\r\n
    \r\n\t
  • A comprehensive induction to the Graduate Program and Department of Health and Aged Care
  • \r\n\t
  • Two (2) diverse placements across the Department.
  • \r\n\t
  • On-the-job work experience and structured learning and development activities to challenge and develop your capability and guide you in becoming a valuable Australian Public Servant.
  • \r\n\t
  • Various networking and mentoring opportunities, including opportunities to be involved in the department's staff networks.
  • \r\n\t
  • An inclusive, flexible and healthy workplace with generous leave conditions and a competitive salary.
  • \r\n
\r\n\r\n

Our ideal graduate is a collaborative communicator and an analytical thinker with an inquisitive mind that seeks out learning and innovation opportunities. You will value the diverse views, experiences and perspectives of others and how this will contribute to strengthening our workforce. We need adaptable, resilient people who are not afraid to tackle complex but rewarding issues.

", - "company": { - "name": "Department of Health and Aged Care", - "website": "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care", - "logo": "https://connect-assets.prosple.com/cdn/ff/MsWgfP6qEuwzUG_jmv_TujMgfwkGAZ6OVmG5rVKVFl0/1668734239/public/styles/scale_and_crop_center_80x80/public/2022-11/logo-dohac-240x240-2022.jpg" - }, - "application_url": "https://healthjobs.nga.net.au/cp/index.cfm?event=jobs.listJobs&jobListid=ED647522-1C20-9C25-C87B-B63198E7011C&CurATC=EXT&CurBID=A6C84679-48DD-E111-AC76-B646932CC12F", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-health-and-aged-care/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-13T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee466" - }, - "title": "Graduate Program (Generalist Stream)", - "description": "

At the Department of Education, our goal is to create a better future for all Australians through education.

\r\n\r\n

By supporting a strong early childhood education system, we help children prepare for school and families re-engage with work. Through education and learning, we change lives – opening a world of possibilities for children and young people.

\r\n\r\n

We provide advice to our Ministers and lead the implementation of Government policies and programs to build a strong education system. We draw on the best available research, evidence and data and work collaboratively with industry, stakeholders and state and territory governments.

\r\n\r\n

As an organisation of approximately 1,600 staff, we pride ourselves on our positive, supportive and inclusive workplace culture (https://www.education.gov.au/about-department/work-us/life-education) that nurtures talent and encourages employees to achieve their full potential.

\r\n\r\n

To learn more about our department, including our key priorities, refer to our 2024-25 Corporate Plan (https://www.education.gov.au/about-department/resources/202425-corporate-plan-department-education).

\r\n\r\n

Make a difference! Join our graduate program.

\r\n\r\n

We are looking for graduates from all degree disciplines to help us deliver Australian Government priorities across the education sector.

\r\n\r\n

The Department participates in the Australian Government Graduate Program (AGGP - https://www.apsjobs.gov.au/s/graduate-portal), working collaboratively with other APS agencies to recruit talented individuals for our Graduate Program. If you’re interested in empowering people to achieve their potential through education— preference Education and get your career startED with us! 

\r\n\r\n

Our graduate program is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you’ll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career in the Australian Public Service (APS). As an Education Graduate, you will be provided with varied and challenging work supported by formal learning and development opportunities, on-the-job training and mentoring.

\r\n\r\n

Successfully completing our graduate program will help you apply your skills in new ways while building a strong foundation for a fulfilling career at the department or across the Australian Public Service (APS).

\r\n\r\n

Why join us

\r\n\r\n
    \r\n\t
  • Career progression: Start as an APS Level 3 and progress to APS Level 5 on successful completion of the program. Refer to the Australian Public Service Commission website for more information on APS levels.
  • \r\n\t
  • Salary increase: Start at $75,419 (plus 15.4% superannuation) and progress to $90,580 (plus 15.4% superannuation) upon successful completion of the program.
  • \r\n\t
  • Placements: Full-time 10-month program, involving two 5-month work placements, allowing you to work on a variety of priority policies, programs or projects.
  • \r\n\t
  • Learning and Development: Experience on-the-job training, supported by a range of formal learning and development opportunities.
  • \r\n\t
  • Buddy Program: We will match you up with a ‘buddy’ from the previous year’s graduate program, who can support and guide you by sharing their experience and insights.
  • \r\n\t
  • Location options: The majority of positions are located in Canberra with some opportunities available interstate. Relocation assistance is provided to candidates who relocate to Canberra.
  • \r\n\t
  • Employee Networks: Help contribute to a positive and inclusive workplace culture by joining our Employee Networks.
  • \r\n\t
  • Community: Participate in Social Club and Graduate Fundraising activities to connect with colleagues at every level.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply through the AGGP, applicants must submit a completed application prior to the closing date and time and provide evidence of or confirmation of the following:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • will or have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • your most recent eligible qualification has or will be completed between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government baseline security clearance once accepted onto the program
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
\r\n\r\n

If you secure a place in our Graduate Program the department will guide you through the process of obtaining your Baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

The Department of Education participates in the following AGGP streams. You can apply for one or many of the streams below to be considered for a role with us. 

\r\n\r\n
    \r\n\t
  • Generalist
  • \r\n\t
  • Data
  • \r\n\t
  • Economist
  • \r\n\t
  • Legal
  • \r\n\t
  • Indigenous Graduate Program
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Digital
  • \r\n\t
  • HR
  • \r\n
\r\n\r\n

Visit our website (https://www.education.gov.au/graduate-and-entry-level-programs/graduate-program) to read more about what we can offer you as a 2026 Education Graduate.

\r\n\r\n

Applications for the 2026 Australian Government Graduate Program will open in March 2025, but we offer an Expression of Interest Register allowing you to share your interest in the meantime. When you express your interest we'll keep in touch, so you know when you can apply and what opportunities we offer.

\r\n\r\n

Complete the expression of interest for our exciting and rewarding Graduate Program!  Click \"Pre-register\" now!

\r\n\r\n

Make a difference by creating a better future for all Australians through education. You have what it takes. Join us!

", - "company": { - "name": "Department of Education", - "website": "https://au.prosple.com/graduate-employers/department-of-education", - "logo": "https://connect-assets.prosple.com/cdn/ff/tsByEVvor94eh3WGilznUAccgJVe39CrWnZreg3RUcY/1728363959/public/styles/scale_and_crop_center_80x80/public/2024-10/1728363956567_3282%202026%20Graduate%20Recruitment%20Campaign_Prosple%20Banner_crest_jade.jpg" - }, - "application_url": "https://dese.nga.net.au/?jati=93A5A59F-8412-8C6E-107A-DB33799B93F4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-education/jobs-internships/graduate-program-generalist-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "SA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee467" - }, - "title": "National Graduate Program - Digital Stream", - "description": "

The ideal candidate  

\r\n\r\n

We want graduates who are bold and forward-thinking and who can bring big ideas.

\r\n\r\n

We're looking for a range of people to join us and are committed to providing an inclusive workplace. We value our staff for their unique qualities, ideas and perspectives and support all staff to bring their whole self to work.  

\r\n\r\n

For our digital stream, we're looking for graduates with degrees in the following subjects: 

\r\n\r\n
    \r\n\t
  • bio informatics 
  • \r\n\t
  • business analysis 
  • \r\n\t
  • business informatics 
  • \r\n\t
  • business modelling 
  • \r\n\t
  • computer science 
  • \r\n\t
  • cyber security 
  • \r\n\t
  • design prototypes. 
  • \r\n
\r\n\r\n

We're also looking for graduates with a degree in any of these subjects and related areas:

\r\n\r\n
    \r\n\t
  • engineering or network engineering 
  • \r\n\t
  • information and communication technology 
  • \r\n\t
  • machine learning 
  • \r\n\t
  • mathematics 
  • \r\n\t
  • programming 
  • \r\n\t
  • project and program management. 
  • \r\n\t
  • sciences 
  • \r\n\t
  • software engineering  
  • \r\n\t
  • web design. 
  • \r\n
\r\n\r\n

If you have any of the above degrees, you can apply to both our digital and generalist streams. If you’re assessed as suitable for both streams, we’ll try to match you to the digital stream first. Once you start, you will stay in the digital stream for the duration of the program. 

\r\n\r\n

You can also apply for the digital stream from the Australian Government Graduate Program and preference Services Australia.  

\r\n\r\n

Range of work 

\r\n\r\n

In the digital stream, your role will support the delivery and operation of digital platforms and systems that improve government service delivery for the Australian community. 

\r\n\r\n

You may work on a range of projects and tasks such as any of the following:  

\r\n\r\n
    \r\n\t
  • building innovative solutions to deliver easy to use digital government services that Australians trust 
  • \r\n\t
  • implementing cyber security to keep our systems safe  
  • \r\n\t
  • ensuring infrastructure and software is up to date and secure, in one of the largest in-house ICT operations in the southern hemisphere 
  • \r\n
\r\n\r\n

developing, solving and supporting an ecosystem of digital platforms, systems and services with a wide range of applications and software.

\r\n\r\n

What you'll get  

\r\n\r\n

We offer:  

\r\n\r\n
    \r\n\t
  • a competitive salary, ranging between $66,310 - $73,906 depending on your qualification level
  • \r\n\t
  • progression to an APS5 classification at successful completion of the program
  • \r\n\t
  • a range of development opportunities to shape your career in the Australian Public Service 
  • \r\n\t
  • flexible working arrangements to help you maintain your work-life balance
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n\t
  • employer superannuation contributions of 15.4%
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n
\r\n\r\n

Why you should work for us  

\r\n\r\n

We make government services simple so people can get on with their lives.   

\r\n\r\n

Every hour of every day in Australia, people in need turn to the Australian Government for help. In those moments, our agency responds.  

\r\n\r\n

We rise to challenges fuelled by the knowledge that what we do matters. Our work can be challenging but is also rewarding, and suits people who are resilient and embrace innovation and change. We help customers at key moments in their lives. Whether helping customers, supporting strategic policy, leading whole-of-government initiatives, or excelling in various roles, everyone in the agency makes a real difference to Australians.

\r\n\r\n

We're an agency that helps people and we're committed to progress, constantly moving forward to deliver services that are simple, helpful, respectful and transparent.   

\r\n\r\n

Eligibility  

\r\n\r\n

To be eligible for the program, you must be an Australian citizen.

\r\n\r\n

You’ll need to have successfully passed and completed:

\r\n\r\n
    \r\n\t
  • an undergraduate degree within the last 5 years
  • \r\n\t
  • a postgraduate degree within the last 5 years.
  • \r\n
\r\n\r\n

If you got your degree overseas, you’ll need to have it recognised by the Department of Education.

\r\n\r\n

Inclusivity  

\r\n\r\n

We're committed to providing a work environment that values inclusion and diversity and supports all staff to reach their full potential. We have a range of workplace diversity and inclusion strategies, policies and initiatives in place to achieve this.  

\r\n\r\n

Our program includes an Affirmative Measure to help employ Indigenous Australians. You can apply to our program using this measure, through the Australian Public Service Commission's Indigenous Graduate Pathway.   

\r\n\r\n

We also have an Affirmative Measure for Australians with disability. Our team would be happy to talk with you about any reasonable adjustment you may need.

", - "company": { - "name": "Services Australia", - "website": "https://au.prosple.com/graduate-employers/services-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/ZxPQFTsQhZnrEf1GNVnZR8yVWT5fLKhPUReaGeJwZ6M/1590466630/public/styles/scale_and_crop_center_80x80/public/2020-05/logo-services-australia-480x480-2020.png" - }, - "application_url": "https://www.servicesaustralia.gov.au/national-graduate-program?context=1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/services-australia/jobs-internships/national-graduate-program-digital-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee468" - }, - "title": "Graduate Program - Engineering & Operational Technology", - "description": "
    \r\n\t
  • 9-day fortnight & flexible working opportunities
  • \r\n\t
  • On-the job career development
  • \r\n\t
  • Permanent employment and competitive starting salary
  • \r\n
\r\n\r\n

Imagine if you could say you played a pivotal role in Queensland’s energy transformation in your first job out of university. 

\r\n\r\n

Several years as a Graduate at Powerlink is all it takes to set up life-long possibilities for your career. Queensland is on the cusp of huge changes and as the only state-wide high voltage provider, there’s never been a better time to join. 

\r\n\r\n

Because at Powerlink, Graduate possibilities start with us. 

\r\n\r\n

What are we offering? 

\r\n\r\n

Our Graduate Program will provide you with learning opportunities that are unique to Powerlink and the electricity sector. By joining us at this exciting time of growth and energy transformation, you can play your part in building a greener energy future! 

\r\n\r\n

Commencing January 2026, you will learn from and work with talented and supportive engineering and development professionals, giving you opportunities to thrive as a key member of Powerlink and play a role in the industry’s future. Through mentorship, training and guidance, you’ll be equipped to excel as a professional, working as part of a dynamic and rapidly expanding team. 

\r\n\r\n

As a permanent employee, you’ll rotate through multiple divisions and teams in a 3-5 year structured program - designed to fully immerse you into the business, gain a breadth of experience and knowledge, and unleash your potential. We have two streams available: 

\r\n\r\n
    \r\n\t
  • Stream 1 – Engineering (Electrical & Civil)
  • \r\n\t
  • Stream 2 – Operational Technology
  • \r\n
\r\n\r\n

To find out more about the different streams and the broad rotations available please visit our Graduate page at https://www.powerlink.com.au/graduate-program

\r\n\r\n

A competitive starting salary also applies, commensurate with qualifications and schedule of work. 

\r\n\r\n

Who are we looking for?

\r\n\r\n

You are an enthusiastic early career entrant who has graduated, or will be completing your studies in 2025, or early 2026.  We are looking for graduates who have completed or will be completing degrees or dual-degrees in: 

\r\n\r\n
    \r\n\t
  • Bachelor of Computer Science or
  • \r\n\t
  • Bachelor of Information Technology or
  • \r\n\t
  • Bachelor of Engineering majoring in: Electrical, Electrical and Electronics, Mechatronics, Civil Engineering, Computer and/or Software Engineering, Electronic Systems and Internet of Things (IoT) Engineering, Telecommunications, or
  • \r\n\t
  • Dual Bachelor of Engineering and Business, Science, IT, Computer Science or Data Science
  • \r\n
\r\n\r\n

You love to challenge the status quo, looking at things with a fresh perspective whilst proactively finding creative and innovative solutions for your customers and stakeholders. You are comfortable talking with people at a variety of levels in the organisation, and you are confident in approaching new people and building relationships.

\r\n\r\n

Inclusion at Powerlink

\r\n\r\n

Unleashing our people’s potential is essential to our success. We are dedicated to fostering an inclusive culture where everyone is welcome and where diverse perspectives are valued.  We are committed to ensuring our workforce reflects the diversity of the communities we serve, and harness the unique talents, perspectives and experiences of all people. 

\r\n\r\n

Throughout the recruitment process, we provide support for candidates to ensure nobody is disadvantaged. Please tell us about any adjustments, support or access requirements that may help make the recruitment process more inclusive for you. You are also welcome to share your pronouns with us at any point throughout the process.

\r\n\r\n

What next?

\r\n\r\n

If you are keen to join a world leader in the electricity transmission industry and play your part in creating a sustainable energy future, pre-register with us to find out when positions become available. 

\r\n\r\n

Leaders in the Energy Future

\r\n\r\n

Powerlink is a leading Australian provider of electricity transmission services, delivering safe, cost effective, secure and reliable energy solutions. We own, develop, operate and maintain the high voltage transmission network in Queensland, providing electricity to more than five million Queenslanders and 253,000 businesses. 

\r\n\r\n

We offer:

\r\n\r\n
    \r\n\t
  • Broad rotations to build your technical knowledge and capability
  • \r\n\t
  • Internal training and development sessions to support your career.
  • \r\n\t
  • External paid professional development opportunities and support for RPEQ status (where applicable)
  • \r\n\t
  • Buddy and formal mentoring programs with our experienced network of professional leaders
  • \r\n\t
  • Year-long social activities to keep you connected to your graduate cohort
  • \r\n\t
  • 9-day fortnight and flexible working opportunities
  • \r\n\t
  • 14.75% superannuation and salary packaging of novated lease vehicles
  • \r\n\t
  • Free parking and access to charging stations for electric vehicles at our Virginia Offices
  • \r\n
", - "company": { - "name": "Powerlink Queensland", - "website": "https://au.prosple.com/graduate-employers/powerlink-queensland", - "logo": "https://connect-assets.prosple.com/cdn/ff/bnNZ-z5Xsoh3Cdmi2u1WPtCJtupuJ3CU7_5_sFcGSx4/1697077109/public/styles/scale_and_crop_center_80x80/public/2023-10/1697077107653_PowerlinkLogo_240x240_Prosple.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/powerlink-queensland/jobs-internships/graduate-program-engineering-operational-technology" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-23T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee469" - }, - "title": "Business Analyst and Project Management Programme – Hong Kong", - "description": "Are you ready to start an exciting career in tech? FDM is on the lookout for ambitious graduates eager to become Junior Business Analysts and Project Management Officers within our Change & Transformation Practice.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/841/business-analyst-and-project-management-programme--hong-kong.html?utm_source=linkedin&utm_medium=jobad&utm_campaign=grad_change_trans&utm_content=hk_", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-business-analyst-and-project-management-programme-hong-kong-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46a" - }, - "title": "Backend Engineer Intern - TikTok LIVE Foundation", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

As a project intern, you will have the opportunity to engage in impactful short-term projects that provide you with a glimpse of professional real-world experience. You will gain practical skills through on-the-job learning in a fast-paced work environment and develop a deeper understanding of your career interests.

\r\n\r\n

Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Develop large-scale software systems that drive the TikTok app;
  • \r\n\t
  • Improve system design and architecture to ensure high stability, performance, and reliability of the product;
  • \r\n\t
  • Collaborate with cross-functional teams to deliver high-quality work in a fast-paced environment.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Experience in building backend services for large-scale consumer-facing applications
  • \r\n\t
  • Proficient in at least one of the following languages: Go, Python, Java, C++
  • \r\n\t
  • Deep understanding of computer architectures, data structures and algorithms
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good communication and team collaboration skills
  • \r\n\t
  • Prior internship experience in building backend services for large-scale consumer-facing applications is a plus
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7410978134445132082?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-engineer-intern-tiktok-live-foundation-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46b" - }, - "title": "Technical Analyst Graduate", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Provide exceptional customer service and support to clients.
  • \r\n\t
  • Adhere to Causeis Service Delivery Framework and SLAs.
  • \r\n\t
  • Manage and escalate support tickets to completion.
  • \r\n\t
  • Deliver technical solutions for change requests and enhancements.
  • \r\n\t
  • Assist with client training on iMIS EMS modules and functionality.
  • \r\n\t
  • Solicit project requirements and business objectives.
  • \r\n\t
  • Identify and scope iMIS solutions for business process improvement.
  • \r\n\t
  • Deliver client projects using Causeis project management methodology.
  • \r\n\t
  • Provide consulting and support on website projects.
  • \r\n\t
  • Manage content and sitemap modifications on RiSE websites.
  • \r\n\t
  • Provide project documentation, end-user training, and hand-over.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A recently completed degree in Information Technology, Computer Science, Business Information Systems, or a related field.
  • \r\n\t
  • Strong analytical and problem-solving skills.
  • \r\n\t
  • Excellent communication and interpersonal skills.
  • \r\n\t
  • Familiarity with business analysis methodologies and tools.
  • \r\n\t
  • Passion for technology and continuous improvement.
  • \r\n\t
  • Adaptability and willingness to learn in a dynamic environment.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary and benefits package, including flexible work arrangements and work-life balance initiatives.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Access to training and professional development opportunities to enhance skills and career growth.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement in data analysis and technology consulting within a supportive team environment.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your latest resume and cover letter. The full position description is available on the Causeis careers page.

\r\n\r\n

Report this job

", - "company": { - "name": "Causeis", - "website": "https://au.prosple.com/graduate-employers/causeis", - "logo": "https://connect-assets.prosple.com/cdn/ff/9D4Byo05300LLeJy5erTCBjOH7SFll35sOHim12zXAg/1723592912/public/styles/scale_and_crop_center_80x80/public/2024-08/logo-causeis-120x120-2024.jpg" - }, - "application_url": "https://www.causeis.com.au/JobListing?JobNumber=26", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/causeis/jobs-internships/technical-analyst-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46c" - }, - "title": "Artificial intelligence (AI) - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Artificial intelligence (AI) graduates are responsible for supporting the development and implementation of AI technologies within government. They apply machine learning algorithms and data analytics to solve complex problems and enhance the capabilities of AI systems. AI graduates are crucial in developing intelligent systems that can perform tasks requiring human-like cognition and decision-making abilities.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in an AI role may include:

\r\n\r\n
    \r\n\t
  • collaborating with technology and business teams to understand the applications and implications of AI within the business
  • \r\n\t
  • working within interdisciplinary teams to implement AI solutions, with support, that align with project requirements
  • \r\n\t
  • supporting the testing, and deployment of new AI systems and enhancements to existing architectures
  • \r\n\t
  • monitoring AI system performance and suggesting improvement initiatives for accuracy and efficiency
  • \r\n\t
  • providing feedback on the ethical use of AI technologies in line with departmental standards and regulations
  • \r\n\t
  • stay updated with the latest AI trends, techniques, and technologies to contribute to discussions and innovation within the team
  • \r\n\t
  • documenting AI processes, including algorithm selection, data flow, and system architecture, ensuring clear understanding and reproducibility
  • \r\n\t
  • engaging in team meetings and contributing to the development of project timelines and deliverables.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for an AI role will:

\r\n\r\n
    \r\n\t
  • demonstrate a customer-focused approach with a strong analytical mindset
  • \r\n\t
  • be self-motivated, with the ability to work independently
  • \r\n\t
  • possess excellent time management and communication skills
  • \r\n\t
  • have the ability to work collaboratively in a multidisciplinary team.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n
    \r\n\t
  • Knowledge of machine learning frameworks (e.g., TensorFlow, PyTorch, Scikit-learn) and programming languages (e.g., Python, R, Java).
  • \r\n\t
  • Experience with data processing and visualisation tools (e.g., SQL, Pandas, Matplotlib).
  • \r\n\t
  • Familiarity with neural networks, predictive modelling, and natural language processing.
  • \r\n\t
  • A degree in computer science, artificial intelligence, machine learning, data science, or a related field.
  • \r\n
\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/artificial-intelligence-ai-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46d" - }, - "title": "Summer Information, Management and Technology (IM&T) Internship", - "description": "

At BAE Systems Australia 

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond. 

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions. 

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a tech-savvy and ambitious individual with a passion for information management and technology? Launch your career with BAE Systems as an IMT Intern. This internship offers an exciting opportunity to dive into the dynamic realm of information management, collaborate with experienced professionals, and play a crucial role in supporting a globally recognised leader in defence, security, and aerospace. Join our innovative team, gain hands-on experience in cutting-edge technology solutions, and contribute to the success of an organisation at the forefront of technological advancements.

\r\n\r\n

What's in it for you?  

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US: 

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855611&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-information-management-and-technology-imt-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46e" - }, - "title": "National Graduate Program - Generalist Stream", - "description": "

The ideal candidate  

\r\n\r\n

We want graduates who are bold and forward-thinking and who can bring big ideas.
\r\n  
\r\nWe're looking for a range of people to join us and are committed to providing an inclusive workplace. We value our staff for their unique qualities, ideas and perspectives and support all staff to bring their whole self to work.  

\r\n\r\n

For our generalist stream, we're looking for graduates with degrees in any area. 

\r\n\r\n

This stream is for you if you:  

\r\n\r\n
    \r\n\t
  • don’t have a specific professional area where you’d like to work
  • \r\n\t
  • have a degree that doesn’t match our other streams.
  • \r\n
\r\n\r\n

In our generalist stream, you can choose to do 1 or 2 placements. Doing 2 placements is a great opportunity for you to broaden your skillset and knowledge. You can tell us which business area you’d like to go to for your second placement. We’ll try to accommodate your preference, but we can’t guarantee it. 

\r\n\r\n

We’ll place you in a role that matches your skills and experience. Once you start, you’ll stay in the generalist stream for the duration of the program. 

\r\n\r\n

Range of work  

\r\n\r\n

In the generalist stream, you might do any of the following:  

\r\n\r\n
    \r\n\t
  • implement legislative change or new government initiatives and policy
  • \r\n\t
  • analyse management information to identify trends and prepare reports
  • \r\n\t
  • support major improvement initiatives for our customers
  • \r\n\t
  • give support to Australians affected by national disasters
  • \r\n\t
  • support major ICT, compliance, communication and service delivery projects
  • \r\n\t
  • draft and coordinate Question Time, Senate Estimates and Ministerial briefs, speeches and presentations support our Minister, Chief Executive Officer and Senior Executives.
  • \r\n
\r\n\r\n

What you'll get  
\r\n  
\r\nWe offer:  

\r\n\r\n
    \r\n\t
  • a competitive salary, ranging between $66,310 - $73,906 depending on your qualification level
  • \r\n\t
  • progression to an APS5 classification at successful completion of the program
  • \r\n\t
  • a range of development opportunities to shape your career in the Australian Public Service 
  • \r\n\t
  • flexible working arrangements to help you maintain your work-life balance
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n\t
  • employer superannuation contributions of 15.4%
  • \r\n\t
  • a variety of leave options, including 4 weeks of annual leave
  • \r\n
\r\n\r\n

Why you should work for us  

\r\n\r\n

We make government services simple so people can get on with their lives.   

\r\n\r\n

Every hour of every day in Australia, people in need turn to the Australian Government for help. In those moments, our agency responds.  

\r\n\r\n

We rise to challenges fuelled by the knowledge that what we do matters. Our work can be challenging but is also rewarding, and suits people who are resilient and embrace innovation and change. We help customers at key moments in their lives. Whether helping customers, supporting strategic policy, leading whole-of-government initiatives, or excelling in various roles, everyone in the agency makes a real difference to Australians.

\r\n\r\n

We're an agency that helps people and we're committed to progress, constantly moving forward to deliver services that are simple, helpful, respectful and transparent.   

\r\n\r\n

Eligibility  

\r\n\r\n

To be eligible for the program, you must be an Australian citizen.

\r\n\r\n

You’ll need to have successfully passed and completed:

\r\n\r\n
    \r\n\t
  • an undergraduate degree within the last 5 years
  • \r\n\t
  • a postgraduate degree within the last 5 years.
  • \r\n
\r\n\r\n

If you got your degree overseas, you’ll need to have it recognised by the Department of Education.

\r\n\r\n

Inclusivity  

\r\n\r\n

We're committed to providing a work environment that values inclusion and diversity and supports all staff to reach their full potential. We have a range of workplace diversity and inclusion strategies, policies and initiatives in place to achieve this.  

\r\n\r\n

Our program includes an Affirmative Measure to help employ Indigenous Australians. You can apply to our program using this measure, through the Australian Public Service Commission's Indigenous Graduate Pathway.   

\r\n\r\n

We also have an Affirmative Measure for Australians with disability. Our team would be happy to talk with you about any reasonable adjustment you may need.

", - "company": { - "name": "Services Australia", - "website": "https://au.prosple.com/graduate-employers/services-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/ZxPQFTsQhZnrEf1GNVnZR8yVWT5fLKhPUReaGeJwZ6M/1590466630/public/styles/scale_and_crop_center_80x80/public/2020-05/logo-services-australia-480x480-2020.png" - }, - "application_url": "https://www.servicesaustralia.gov.au/national-graduate-program?context=1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/services-australia/jobs-internships/national-graduate-program-generalist-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee46f" - }, - "title": "Boston Consulting Group | Graduate Associate – Consulting careers (Technology)", - "description": "Join Boston Consulting Group (BCG) as an Associate and start your career as a Consultant! We look for self-motivated, curious graduates that are excited by problem-solving and want to have an impact.", - "company": { - "name": "Boston Consulting Group (BCG)", - "website": "https://au.gradconnection.com/employers/bcg", - "logo": "https://media.cdn.gradconnection.com/uploads/932334b9-742f-4f1c-82ca-de0f3eefe801-Boston_Consulting_Group_BCG-logo_CcqFqIH.png" - }, - "application_url": "https://studenttalent.bcg.com/careers/job/790300204908", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/bcg/jobs/boston-consulting-group-bcg-boston-consulting-group-graduate-associate-consulting-careers-technology-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-06T22:00:00.000Z" - }, - "locations": ["ACT", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": ["Computer Science", "Cyber Security"], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee470" - }, - "title": "Accounts Payable Intern #GeneralInternship", - "description": "The intern will report to the Accounts Payable (AP) Director and work with offshore AP team, users/teams across Singtel & NCS and vendors. The intern will be supporting AP projects that will provide them with exposure to various AP functions.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Accounts-Payable-Intern-GeneralInternship-Sing/1054819166/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-accounts-payable-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee471" - }, - "title": "TRAINEE: Finance COO Team", - "description": "Candidates with outstanding performance will be considered for early conversion to permanent roles.", - "company": { - "name": "Societe Generale", - "website": "https://au.gradconnection.com/employers/societe-generale-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/0e22d09c-e7f7-4806-a39d-202bd6e004a0-new-logo.png" - }, - "application_url": "https://careers.societegenerale.com/en/job-offers/trainee-finance-coo-team-250000VR-en", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/societe-generale-hk/jobs/societe-generale-trainee-finance-coo-team" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-14T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:29.001Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:29.001Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee472" - }, - "title": "Graduate Program", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in design activities and prototype development.
  • \r\n\t
  • Investigate and troubleshoot non-conformance issues.
  • \r\n\t
  • Support client workshops to establish design requirements.
  • \r\n\t
  • Prepare documentation according to project standards.
  • \r\n\t
  • Build and manage relationships with stakeholders.
  • \r\n\t
  • Seek guidance from experts within the company.
  • \r\n\t
  • Manage time effectively to meet task milestones.
  • \r\n\t
  • Engage in continuous improvement activities.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will have:

\r\n\r\n
    \r\n\t
  • A degree in Engineering, Computer Science, Design, or Product Design in 2025.
  • \r\n\t
  • An entrepreneurial and innovative mindset.
  • \r\n\t
  • Strong collaboration and communication skills.
  • \r\n\t
  • A focus on building commercial acumen.
  • \r\n\t
  • Motivation to take initiative and ownership of tasks.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, a positive work culture, and opportunities to make a meaningful impact through innovative product development.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from a 2-year development program to enhance engineering, consulting, and technical skills, learning from industry leaders.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement include potential international rotations and growth within the company.

\r\n\r\n

How to apply

\r\n\r\n

Submit your Cover Letter, CV, and Academic Transcript by April 5, 2025. Short-listed candidates will be contacted by April 19, 2025. Permanent work rights in Australia are required.

", - "company": { - "name": "Planet Innovation", - "website": "https://au.prosple.com/graduate-employers/planet-innovation", - "logo": "https://connect-assets.prosple.com/cdn/ff/-chde6KoR8pF54v_S3BtGgfp9BXjZDQT7t_UiX7VUvw/1646193625/public/styles/scale_and_crop_center_80x80/public/2022-03/1646177112944_PI%20logo.png" - }, - "application_url": "https://jobs.lever.co/planetinnovation/23eb09be-e01b-4062-91f1-2524dfc5af29", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/planet-innovation/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-05T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee473" - }, - "title": "Digital Cadet Program", - "description": "

As a Digital Cadet with the Australian Government, you’ll make use of your degree and interests while gaining valuable industry experience, solving programs and making a difference to the Australian community.

\r\n\r\n

Digital Cadets are placed with one of many participating Australian Government departments, where you’ll be supported to complete your degree and explore different digital and technology-related careers.

\r\n\r\n

Once you’ve finished your degree, you’ll become a full-time employee in your department.

\r\n\r\n

About the program

\r\n\r\n

This program is for Australian citizens who are currently studying an undergraduate or postgraduate degree in a digital or technology-related field. If you’re a university student looking for a digital or technical career, this program could be for you.

\r\n\r\n
    \r\n\t
  • Complete the program over 1 to 3 years, depending how long you have left at uni
  • \r\n\t
  • Work flexibly around your study commitments and preferences
  • \r\n\t
  • Receive an academic allowance of up to $800 per unit for up to 4 units per semester
  • \r\n\t
  • Enjoy guaranteed permanent employment when you finish your degree
  • \r\n
\r\n\r\n

On the job support, career guidance and professional development throughout the program will grow you into a job-ready public servant.

\r\n\r\n

Who can apply?

\r\n\r\n

We’re looking for cadets who have a curiosity, aptitude and interest in digital or technical disciplines, and a desire to build upon your skills. Cadets should have an interest in undertaking meaningful work serving the Australian community and contribute to a professional, respectful and positive workplace.

\r\n\r\n

To be eligible to apply for the Digital Cadet Program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have completed one year or equivalent of a digital or technical degree at the commencement of the program
  • \r\n\t
  • Have a minimum of 1 year of study remaining when the program starts
  • \r\n
\r\n\r\n

See the full list of eligible degree programs on our website.

\r\n\r\n

What locations is the program running in?

\r\n\r\n

Positions are located in many government departments and agencies Australia-wide. Most positions are located in Canberra, but there are roles available in other Australian cities and regional centres.

\r\n\r\n

Applicants will be asked to nominate their preferred location during the application process.

\r\n\r\n

Where could I work?

\r\n\r\n

The program offers a range of roles across a number of government departments and agencies.

\r\n\r\n

Your application will be considered for all participating agencies and your preferences taken into account. Successful applicants will be placed with an agency that suits their skills, experience and career aspirations.

\r\n\r\n

The following Government Departments and agencies looking for Digital Cadets in 2026 are:

\r\n\r\n
    \r\n\t
  • Attorney Generals Department
  • \r\n\t
  • Australian Bureau of Statistics
  • \r\n\t
  • Australian Signals Directorate
  • \r\n\t
  • Department of Finance
  • \r\n\t
  • Department of Industry, Science, Energy and Resources
  • \r\n\t
  • Department of Defence
  • \r\n\t
  • Department of Home Affairs
  • \r\n\t
  • Services Australia
  • \r\n\t
  • Australian Taxation Office
  • \r\n\t
  • Department of Agriculture, Fisheries and Forestry
  • \r\n\t
  • Department of Climate Change, Energy, the Environment and Water
  • \r\n\t
  • Department of Employment and Workplace Relations
  • \r\n
\r\n\r\n

There are three stages of the selection process.

\r\n\r\n

Online application

\r\n\r\n

Submit your application online. We will review your responses and work-related qualities. If found suitable, we will shortlist you for the next round.

\r\n\r\n

Interview

\r\n\r\n

Attend an interview with the selection panel. If found suitable, you will be placed in the merit pool for consideration by participating Government departments and agencies.

\r\n\r\n

Preferences and matching

\r\n\r\n

If suitable, you will preference specific organisations where you would like to work. Likewise, departments or agencies will also preference candidates they would like to employ. We review all preferences, match candidates to available roles and assist departments or agencies to make employment offers.

\r\n\r\n

Please note that APS and Commonwealth entities all offer different employment conditions and graduate program features. If you are not matched, you will be placed in a merit pool for future consideration, for up to 18 months from the date the job was advertised. The complete application assessment process usually takes around 6 months from the time applications close.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/career-pathways-home/career-pathways-program/digital-cadet-program-MC2Y4IYRMG2VE2JN733D7J7KFQY4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/digital-cadet-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-22T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee474" - }, - "title": "Science Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/science-graduate-development-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee475" - }, - "title": "Graduate Program", - "description": "

QAO’s graduate program is the first step toward an incredibly rewarding and versatile career. You will join our team as a permanent staff member from day one, with opportunities to progress after completing the 12-month program. 

\r\n\r\n

We are looking for graduate and undergraduates auditors (in audit and assurance), and graduate IS risk auditors to join us in 2026. 

\r\n\r\n

We will provide formal, hands-on, and on-the-job training; regular professional development sessions; mentoring and a dedicated buddy to support you as you start working with a variety of clients throughout Queensland; and a variety of experiences and work to build your skills and knowledge. 

\r\n\r\n

You will work alongside a collaborative, diverse, and supportive team, to engage with clients and apply our technology and tools to glean unique insights. Effective communication skills, the ability to identify and solve problems and achieve results, and a sense of adventure are desirable qualities for the role. 

\r\n\r\n

Unlock your potential while you help improve public services for all Queenslanders – from the local government services you use in your community, to your hospitals, energy providers, universities, and more.

\r\n\r\n

You have a choice of commencing in October 2025 or February 2026.

\r\n\r\n

About the Queensland Audit Office

\r\n\r\n

On behalf of the Auditor-General, we provide insights to hundreds of state and local government clients on delivering better public services for Queenslanders. As the state's independent auditor, we are vital to Queensland's integrity system, giving parliament and the public trusted assurance.

\r\n\r\n

We use some of the most contemporary practices in today's professional services industry to:

\r\n\r\n
    \r\n\t
  • deliver high-quality financial, assurance, and information systems services
  • \r\n\t
  • give public sector entities insights into their performance, risks and financial management
  • \r\n\t
  • report to parliament on the results of our work
  • \r\n\t
  • investigate financial waste and mismanagement
  • \r\n\t
  • share best practices across our client base and industry.
  • \r\n
\r\n\r\n

Working at QAO

\r\n\r\n

Innovation, teamwork and relationships are at the heart of what we do. We invest in advanced audit capabilities with integrated analytics and information systems audits. Other benefits include:

\r\n\r\n
    \r\n\t
  • travel throughout Queensland with your colleagues when performing client visits
  • \r\n\t
  • a Brisbane based role with hybrid work arrangements – work from client sites, in the office, and from home
  • \r\n\t
  • state-of-the-art technology to enable you to work in the head office, at client sites or at home
  • \r\n\t
  • continuous learning opportunities, including formal learning and personalised career development.
  • \r\n\t
  • active social club organising events throughout the year.
  • \r\n
\r\n\r\n

Who can apply

\r\n\r\n

To apply for the graduate program, you will need to meet the following eligibility criteria:

\r\n\r\n
    \r\n\t
  • Be an Australian or New Zealand Citizen/Permanent Resident, or have permanent working rights within Australia
  • \r\n\t
  • Be studying, or have studied, at an Australian university in an appropriate tertiary qualification accounting, commerce, business, data science, information technology, information systems, mathematics/statistics, public policy or management.
  • \r\n\t
  • You must have completed a minimum of undergraduate-level study within the last 2 years, or will complete a minimum of undergraduate-level study before the program starts.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n
    \r\n\t
  • You should provide a copy of your Curriculum Vitae (CV) and your academic transcript.
  • \r\n\t
  • Clearly state your tertiary qualification and graduation date (including pending dates) in your CV – your application may be unable to proceed if this is unclear.
  • \r\n
\r\n\r\n

Please apply directly through the different roles – Graduate Auditor, Undergraduate Auditor, and Graduate IS Risk Auditor  – available on our website. Each has a specific GradSift link and program code. 

\r\n\r\n
    \r\n\t
  1. Apply online via GradSift and create your profile.
  2. \r\n\t
  3. Complete the following:
  4. \r\n
\r\n\r\n
    \r\n\t
  • Upload your current resume, including contact details of 2 referees who have supervised you within the past 2 years (for example, this might be work, university, or volunteer work)
  • \r\n\t
  • Upload your academic transcript and any other tertiary qualifications you hold
  • \r\n\t
  • Create a short 60 to 90 second video to introduce yourself. The video is a short introduction about yourself, what you’ve studied, one or 2 key achievements, what strengths you bring to the role, and why you'd like a career with us. The details of how to record the video are explained under the support ‘?’ icon.
  • \r\n
\r\n\r\n

More information

\r\n\r\n

The position descriptions outlining the roles and the timetable for our recruitment and selection process is available on our Graduates page on our website. Our Graduate website also has a variety of Frequently Asked Questions about the program, and some insights from former graduates on their experience. 

\r\n\r\n

We are committed to building inclusive cultures in the Queensland public sector that respect and promote human rights and diversity.

", - "company": { - "name": "Queensland Audit Office", - "website": "https://au.prosple.com/graduate-employers/queensland-audit-office", - "logo": "https://connect-assets.prosple.com/cdn/ff/mMaPgsKNWdb_V9VgpdT5xtektUrozaRlgdXnfcmtXaM/1583309424/public/styles/scale_and_crop_center_80x80/public/2020-01/logo-queensland-audit-office-120x120-2020.png" - }, - "application_url": "https://www.qao.qld.gov.au/careers/career-opportunities", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-audit-office/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-25T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee476" - }, - "title": "Software Engineer Intern, Full Stack Technologies #GeneralInternship", - "description": "As a Software Engineer Intern at the Consumer Business Group IT Prepaid team, your role includes crafting applications tailored for both cloud-based and data centre environments to cater to web and mobile platforms.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Software-Engineer-Intern%2C-Full-Stack-Technologies-GeneralInternship-Sing/1052448066/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-software-engineer-intern-full-stack-technologies-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee477" - }, - "title": "ITE1 - ITE2 Media Exploitation - Digital Forensic Collection", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient. 

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

ASIO undertakes forensic acquisition of data from digital devices in support of investigations in a lab-based environment. With a focus on the collection of data, teams are responsible for the selection, sustainment and enhancement of their tooling as well as data management to deliver collection in a timely manner to ASIO Enterprise systems. Some interstate travel will be required out of core hours. The role requires engagement with other areas of ASIO and our partners to ensure continuous development of the capability.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

A Digital Forensic Specialist performs digital forensic acquisitions of electronic devices such as mobile devices, electronic media and personal computers. 

\r\n\r\n

As a Digital Forensic Specialist in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Process digital forensic acquisitions through forensic toolsets.
  • \r\n\t
  • Manage data delivery to investigations areas.
  • \r\n\t
  • Provide technical support to analyse collected data.
  • \r\n\t
  • Work within a field and lab environment, often interstate.
  • \r\n\t
  • Support capability enhancements such as automation of processes and data flow.
  • \r\n\t
  • Maintain and contribute to digital forensic best practices relating to digital collection, lab and supporting infrastructure management and evidentiary handling practices.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes:

\r\n\r\n
    \r\n\t
  • Demonstrated progress towards or completion of tertiary/industry level digital forensic qualifications (TAFE, University, SANS, IACIS, etc).
  • \r\n\t
  • Relevant contemporary experience in the evidentiary device handling including management and forensic exploitation of digital devices.
  • \r\n\t
  • Experience with commercial forensic toolsets.
  • \r\n\t
  • Excellent teamwork and interpersonal skills demonstrating proficiency to engage with technical and non-technical teams.
  • \r\n\t
  • High motivation for advancing your technical skills in digital collection.
  • \r\n\t
  • Ability to use your technical skills to innovate and advance digital forensic capability development.
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are not available. 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n\t
  • Significant training and development opportunities. 
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance. 
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra. Relocation assistance is provided to successful candidates where required.

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include 
\r\nthe following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements.
  • \r\n\t
  • A current CV, no more than 2-3 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 3 February 2025 at 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite1-ite2-media-exploitation-digital-forensic-collection" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee478" - }, - "title": "Software Engineer Internship Program 2025", - "description": "Learn best practices in engineering by coding with Angular and Postgres, and gain expertise in continuous delivery and the product development lifecycle. Build valuable real-world skills with our cutting-edge training.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-software-engineer-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-software-engineer-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee479" - }, - "title": "Quantitative Trader Internship: November 2025", - "description": "Susquehanna is looking for penultimate year students who are interested in using decision science to solve problems in the world around them to join our 2025 Quantitative Trader Internship Program.", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.gradconnection.com/employers/susquehanna-international-group", - "logo": "https://media.cdn.gradconnection.com/uploads/e0f736e2-e850-44cf-8f24-403715f73268-SUSQ_YouTube_icon_408x408.jpg" - }, - "application_url": "https://careers.sig.com/job/8562/Quantitative-Trader-Internship-November-2025/?utm_source=gradconnection&utm_medium=referral&utm_campaign=01152025-syd-gradconnection-2025-lb&utm_content=qt-intern", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/susquehanna-international-group/jobs/susquehanna-international-group-quantitative-trader-internship-november-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-02T12:59:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Computer Science", - "Engineering", - "Mathematics", - "Science" - ], - "working_rights": ["AUS_CITIZEN", "INTERNATIONAL", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47a" - }, - "title": "Software Development Engineer Graduate - AWS", - "description": "

Tips

\r\n\r\n
    \r\n\t
  • Study area: computer science, Information technology, Information systems, Software engineering, and related;
  • \r\n\t
  • Has graduated already, or will graduate from Nov/Dec 2024 to Feb 2025 (included);
  • \r\n\t
  • If a candidate has already started their career after graduation, 24 months of working experience is eligible, but not longer than that;
  • \r\n\t
  • Nice to have tech-related experience, both full-time and internship experience work.
  • \r\n\t
  • Locations: Sydney, AUS
  • \r\n
\r\n\r\n

Description

\r\n\r\n

Amazon is looking for passionate Graduate Software Development Engineers (SDEs) to join our team ASAP.

\r\n\r\n

Amazon / AWS offers a unique, inclusive work environment where you’ll be able to work on the A to Z of problems, at scale, for real customers. You’ll join a team solving challenging problems with innovative software solutions, building global software at scale every day and having a ton of fun while you do it.

\r\n\r\n

We are a group of engineers who value diversity and collaboration to help each other succeed as a team. Bring your experiences, perspectives and skills to help build a great shopping experience for customers all around the world. We're looking for developers with a passion for solving challenging problems, learning on the go and working with teammates to have a global impact.

\r\n\r\n

Key job responsibilities:

\r\n\r\n

You will own the development of software end to end, from working with stakeholders on requirements to owning the ongoing operations of the software that you build at scale. You will work with a great, global team to tackle new challenges. You will have the opportunity to experiment and learn from your successes and failures.

\r\n\r\n

Apply today to join our incredible team-building software for our customers around the world. Have fun and build great software!

\r\n\r\n

We are open to hiring candidates to work out of one of the following locations:

\r\n\r\n
    \r\n\t
  • Sydney, NSW, AUS
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Basic Qualifications:

\r\n\r\n
    \r\n\t
  • You must be in the final semester/ trimester of a university undergraduate or postgraduate degree or have completed your university studies within the past 24 months of applying and are able to commence a role within the next 3 months
  • \r\n\t
  • Enrolled/Completed a degree in Computer Science, Computer Engineering, or Information Technology at a university or relevant tertiary institution
  • \r\n\t
  • Strong, object-oriented design and coding skills (C/C++ and/or Java preferably on a UNIX or Linux platform)
  • \r\n\t
  • Knowledge of Perl or other scripting languages a plus
  • \r\n\t
  • Experience with distributed (multi-tiered) systems, algorithms, and relational databases
  • \r\n\t
  • Experience in optimization mathematics (linear programming, nonlinear optimization)
  • \r\n\t
  • Ability to effectively articulate technical challenges and solutions
  • \r\n\t
  • Deal well with ambiguous/undefined problems; ability to think abstractly
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience developing in a Linux environment
  • \r\n\t
  • Experience developing software on Amazon Web Services (AWS) platforms
  • \r\n
\r\n\r\n

Note: Applications are reviewed on a rolling basis. For an update on your status, or to confirm your application was submitted successfully, please log in to your candidate portal. Please note that we are reviewing a high volume of applications and appreciate your patience.

\r\n\r\n

Applications and Assessment Process

\r\n\r\n

Selected candidates will be invited to complete an online assessment which we encourage you to complete within 5 business days. Your application will then be reviewed for suitability for the role. If successful, you will be invited to attend a phone interview followed by two virtual interviews, focusing on our Leadership Principles.

\r\n\r\n

If you have a disability and need an adjustment during the application and hiring process, including support for the interview or onboarding process, please email us and put Applicant-Candidate Accommodation Request in the subject line for expedited processing.

\r\n\r\n

If you have any questions, please contact us.

\r\n\r\n

Acknowledgement of country:

\r\n\r\n

In the spirit of reconciliation, Amazon acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

IDE statement:

\r\n\r\n

Amazon is committed to a diverse and inclusive workplace. Amazon is an equal opportunity employer and does not discriminate based on race, national origin, gender, gender identity, sexual orientation, disability, age, or other legally protected attributes.

", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://amazon.jobs/en/jobs/2751335/software-development-graduate-2025-aws", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/software-development-engineer-graduate-aws" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-30T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47b" - }, - "title": "Data Science Internship", - "description": "

Your role

\r\n\r\n

The Visa Internship Program is an exciting opportunity to propel your career from the center of payment innovation in the Asia Pacific. Throughout your 12 weeks at Visa, you will be empowered to take on impactful work and lead courageously to shape the future of commerce. Gain executive exposure, engage in out-of-the-box problem-solving, and participate in social and community service activities. Visa is looking for people who can innovate, collaborate, and drive Visa into the next era of an already rapidly evolving digital marketplace.

\r\n\r\n

Visa’s Asia Pacific Consulting Practice applies deep expertise in the payment industry to provide solutions and consulting services to assist clients with their key business priorities, drive growth, and improve profitability.

\r\n\r\n

The Data Science team is a key part of Visa's decision management engine. This is a high-performing team of data scientists, data analysts, statisticians, and business analysts from a variety of countries – serving major Financial Institutions and merchants in Asia Pacific. The team works with large data sets using quantitative techniques and builds complex statistical models that learn from big data, working across multiple teams and functions to develop cutting-edge, creative, and advanced analytic solutions and processes.  

\r\n\r\n

This is a hybrid position. Hybrid employees can alternate time between both remote and office. Employees in hybrid roles are expected to work from the office three days a week based on business needs.

\r\n\r\n

About you

\r\n\r\n

Qualifications:

\r\n\r\n
    \r\n\t
  • Penultimate-year undergraduate/ Postgraduate students who are available to work full-time for 10-12 weeks between November 2025 and February 2026.
  • \r\n\t
  • Legal authorization to work in Australia - Visa will not sponsor applicants for work visas in connection with this position.
  • \r\n\t
  • Pursuing a degree in Computer Science, Data Analytics, Data Science, Information Technology, Statistics, or a related STEM/quantitative field.
  • \r\n\t
  • Proficient in one or more database tools, such as Hadoop/HIVE/SQL, and programming languages such as Python/Pyspark.
  • \r\n\t
  • Experience in delivering analytics solutions using any Machine Learning framework.
  • \r\n\t
  • Experience with visualization and reporting tools, such as the advanced user of PPT, Power BI, Tableau, open-source tools, or similar.
  • \r\n\t
  • Exhibits intellectual curiosity and strives to continually learn.
  • \r\n\t
  • Banking & payment industry experiences are preferred.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

While benefits vary by country, all Visa employees receive health insurance, life insurance, savings plans, holidays, and paid time off. If you want to make your philanthropic donations more impactful, their employee Matching Gift Programme is one of the best in the industry. They also consistently recognise their employees’ achievements, be it a performance-based reward, a service award, or a talent referral bonus.

\r\n\r\n

To know what it's like to work for Visa, take a look at this video:

\r\n\r\n

\r\n\r\n

Training & development

\r\n\r\n

Learning and development are critical components of Visa’s commitment to investing in its employees. Visa focuses on developing its current and future workforces through educational programs in areas such as payments, technology, professional development, inclusion diversity, and leadership.  They encourage the employees’ development through a variety of mechanisms, including on-the-job training with managers, mentors, and peers, classroom learning, and self-directed learning. 

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • visa.com.au/careers/the-visa-experience-why-visa.html 
  • \r\n\t
  • usa.visa.com/about-visa/esg/workforce.html#2
  • \r\n
", - "company": { - "name": "Visa Australia", - "website": "https://au.prosple.com/graduate-employers/visa-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/XLu7SNO-RU1B1UP0exSEVcnbLH3v9m79S_WJgxaqDOQ/1667794270/public/styles/scale_and_crop_center_80x80/public/2022-11/logo-visa-au-450x450-2022.png" - }, - "application_url": "https://jobs.smartrecruiters.com/Visa/744000017626756-data-science-internship-2025", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/visa-australia/jobs-internships/data-science-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47c" - }, - "title": "Software Engineering Practice", - "description": "Join our Graduate Programme in our Software Engineering Practice and launch an exciting, fast-paced career in IT transformation.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/839/hong-kong--software-engineering-practice.html?utm_source=gradconnection&utm_medium=profile&utm_campaign=start_date_push&utm_content=hongkong", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-software-engineering-practice-7" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47d" - }, - "title": "Looking to work whilst studying?", - "description": "Careers at Council is your local government online careers hub. It’s run by the Local Government Associations and is packed with useful information showcasing what you can expect from a career in council.", - "company": { - "name": "Careers at Council", - "website": "https://au.gradconnection.com/employers/careers-at-council", - "logo": "https://media.cdn.gradconnection.com/uploads/b5ac73d3-c167-4904-945d-3c84f092d538-career-council.jpg" - }, - "application_url": "https://www.careersatcouncil.com.au/jobs/?query=&type=23&state_2=", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/careers-at-council/jobs/careers-at-council-looking-to-work-whilst-studying-11" - ], - "type": "OTHER", - "close_date": { - "$date": "2025-01-18T12:59:00.000Z" - }, - "locations": ["ACT", "NSW", "NT", "QLD", "SA", "TAS", "VIC", "WA"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47e" - }, - "title": "Supply Chain Graduate Program", - "description": "

We are the world's leading contract logistics company.  We create competitive advantages for our customers through customised warehousing and transportation services.  We combine our global scale with local knowledge and sector experience.

\r\n\r\n

At DHL Supply Chain (DSC) Australia, we work hard to make sure a career with DHL is as satisfying and successful as it can be. Join a supportive work environment where you'll have the tools and training you need to grow and succeed.

\r\n\r\n

DHL Supply Chain Australia is a Great Place To Work certified.

\r\n\r\n

Our Graduate Program sets out to challenge and well equip you for a successful career ahead with DHL Supply Chain. You will experience fast progression & a clear career pathway as an Operational Leader. Your Graduate experience will look like this:

\r\n\r\n
    \r\n\t
  • 24-month program, with the flexibility to secure a post-program role within DHL after your first year
  • \r\n\t
  • Supportive induction into the business, including stepping into a Frontline Operator position and development through best-in-class training
  • \r\n\t
  • Early responsibility as a Supervisor, leading a team and operation of your own after your first 6 months
  • \r\n\t
  • Involvement with critical strategic and cross-sector projects
  • \r\n\t
  • Support Networks including a 1 on 1 mentor, Graduate Buddies, and Program Lead
  • \r\n\t
  • Regular performance feedback and personal development planning
  • \r\n\t
  • A learning framework focused on personal development, including monthly workshops and networking opportunities
  • \r\n\t
  • Opportunities to work together with a wonderful Graduate cohort to knowledge share and deliver on a great range of projects.
  • \r\n
\r\n\r\n

Requirements

\r\n\r\n
    \r\n\t
  • A completed university degree (Relevant degrees include: Supply Chain Management, Logistics or similar)
  • \r\n\t
  • Strong verbal and written communication skills
  • \r\n\t
  • Goal-oriented and driven for success within a Supply Chain environment
  • \r\n\t
  • Full working rights within Australia
  • \r\n\t
  • A valid driver’s license
  • \r\n
", - "company": { - "name": "DHL", - "website": "https://au.prosple.com/graduate-employers/dhl", - "logo": "https://connect-assets.prosple.com/cdn/ff/YLuAmquTTLxmWnlfCnEGKPr95KLpv2dfDThW94nhFcI/1568340884/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-DHL-120x120-2019_1.jpg" - }, - "application_url": "https://dhl.recruitmentplatform.com/FO/QS5FK026203F3VBQB6868V7FA/components/details.html?nPostingId=15893&nPostingTargetId=29107&id=QS5FK026203F3VBQB6868V7FA&LG=UK&languageSelect=UK&mask=dhlext", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dhl/jobs-internships/supply-chain-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-11-29T22:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee47f" - }, - "title": "Site Reliability Engineering Summer Internship", - "description": "

Working at Atlassian

\r\n\r\n

Atlassian can hire people in any country where we have a legal entity. Assuming you have eligible working rights and a sufficient time zone overlap with your team, you can choose to work remotely or from an office (unless it’s necessary for your role to be performed in the office). Interviews and onboarding are conducted virtually, a part of being a distributed-first company.

\r\n\r\n

You'll be working on our production systems which serve millions of customers worldwide. If they fail, you'll have the skills and the quick-decision-making ability to deal with pings, pages, queries, and problems. We want you to be able to investigate and really sink your teeth into why something didn't work out the way it should! From gaining deep technical knowledge to working on automation, monitoring, and virtualised delivery systems, your opportunities for work and play at Atlassian are endless. We guarantee you’ll never be bored!

\r\n\r\n

Some of the technologies you'll get to work with are Apache, Nginx, Bash, Linux, AWS, virtualisation technologies, Nagios, Python, Java, Puppet, and yes, Atlassian products too.

\r\n\r\n

More about our team

\r\n\r\n

Site Reliability is a rapidly growing group within the organisation. We are in the process of building our teams, tools, and systems as part of Atlassian's mission to build the best SaaS services in the world. This is a truly exciting team to join - we are currently or are planning to be involved with every technical team across Atlassian. We are at the core of learning for the company, enabling Atlassian to go fast by providing real-time feedback on production systems. We work side by side with the product family and platform developers to maintain and improve services and performance. We live the company values with a strong customer focus and possess a healthy sense of urgency. We are a heavily data-driven team, utilising a variety of data collection, enrichment, analytics, and visualisations to learn about how complex systems operate.

\r\n\r\n

Register your interest in our intern program and start an awesome career! 

\r\n\r\n

Applicants must have Australian or New Zealand citizenship or Permanent Residency at the time of application. The internship dates are late November 2025 to late February 2026, full-time for 12 weeks.

\r\n\r\n

On your first day, we'll expect the following;

\r\n\r\n
    \r\n\t
  • Commitment to a 12 week full-time (38hrs / week) internship from late November 2025 until mid-February 2026 (We may be able to flex on this slightly if your course timetable does not allow for a 12-week placement during this timeframe).
  • \r\n\t
  • Be currently enrolled in a Bachelor or Masters program and completing your studies by January 2026.
  • \r\n\t
  • Experience programming in Python
  • \r\n\t
  • Proven communication skills with team members near and far
  • \r\n\t
  • An interest into industry trends (technology, methods and tooling)
  • \r\n\t
  • Real passion for scripting - we don't want you doing repetitive work!
  • \r\n\t
  • Have some serious troubleshooting skills
  • \r\n
\r\n\r\n

Our perks & benefits

\r\n\r\n

To support you at work and play, our perks and benefits include ample time off, an annual education budget, paid volunteer days, and so much more.

\r\n\r\n

About Atlassian

\r\n\r\n

The world’s best teams work better together with Atlassian. From medicine and space travel, to disaster response and pizza deliveries, Atlassian software products help teams all over the planet. At Atlassian, we're motivated by a common goal: to unleash the potential of every team.

\r\n\r\n

We believe that the unique contributions of all Atlassians create our success. To ensure that our products and culture continue to incorporate everyone's perspectives and experience, we never discriminate based on race, religion, national origin, gender identity or expression, sexual orientation, age, or marital, veteran, or disability status. All your information will be kept confidential according to EEO guidelines.

", - "company": { - "name": "Atlassian", - "website": "https://au.prosple.com/graduate-employers/atlassian", - "logo": "https://connect-assets.prosple.com/cdn/ff/tj8Q_KGm3xSFDC0iWSuZ4UK-_nxpPe3_8AovryxHKRw/1671511434/public/styles/scale_and_crop_center_80x80/public/2022-12/logo-atlassian-new-zealand-120x120-2022.jpg" - }, - "application_url": "https://jobs.lever.co/atlassian/6b96ac8c-e03d-4851-85e2-251642ce31cf/apply", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/atlassian/jobs-internships/site-reliability-engineering-summer-internship-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-30T11:59:00.000Z" - }, - "locations": [], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee480" - }, - "title": "Legal Stream Graduate Program", - "description": "

Being a graduate in the Workplace Relations Legal Division presented opportunities to work on several interesting, important, and diverse projects. The division is stacked with excellent lawyers and mentors who advanced my development as a young lawyer while supporting me to maintain a healthy work-life balance. I highly recommend applying for this role! – Tom, Workplace Relations Legal Graduate (2022)

\r\n\r\n

The Department of Employment and Workplace Relations (DEWR) offer a specialist graduate career pathway for talented and motivated law graduates. Applications are now open and we want to hear from you.

\r\n\r\n

Our legal graduates will: 

\r\n\r\n
    \r\n\t
  • have the opportunity to work on a broad range of legal work in an Australian Government department and gain exposure to Australian Government policies and programs;
  • \r\n\t
  • have access to a specific legal blended learning program offering a combination of structured training and on the job experience.
  • \r\n
\r\n\r\n

The department supports its legal graduates, who are not already admitted, to complete a Graduate Diploma of Legal Practice and gain admission as a Legal Practitioner. This may also include financial assistance. 

\r\n\r\n

Who we are Looking For

\r\n\r\n

We offer career opportunities for highly talented and motivated law graduates. We are looking for graduates who have:

\r\n\r\n
    \r\n\t
  • completed a Bachelor of Laws from an Australian university or will have completed a Bachelor of Laws from an Australian university by the commencement of the graduate program.
  • \r\n\t
  • a Graduate Diploma of Legal Practice (GDLP) or who are eligible and committed to completing the qualification and gaining admission as a Legal Practitioner. The department supports its legal graduates to complete their GDLP and gain admission if they have not already done so.
  • \r\n\t
  • a strong academic record.
  • \r\n
\r\n\r\n

Additionally, graduates should:

\r\n\r\n
    \r\n\t
  • have excellent legal and analytical capabilities
  • \r\n\t
  • have outstanding interpersonal and communication skills
  • \r\n\t
  • have personal drive and enthusiasm
  • \r\n\t
  • show initiative and flexibility
  • \r\n\t
  • possess leadership qualities.
  • \r\n
\r\n\r\n

Additionally, all graduates in the Graduate Program will undertake a formal learning and development program. will undertake a Graduate Certificate in Public Administration. This additional tertiary qualification offers all graduates a strong foundational understanding of working in the APS and in a policy agency.

\r\n\r\n

What our legal graduates do

\r\n\r\n

The department’s in-house legal practice offers a wide range of services. Our lawyers provide legal advice across the range of the department’s responsibilities (including in relation to the development of legislation and the conduct of litigation). 

\r\n\r\n

Legal graduates would have the opportunity to rotate through various legal teams in the Legal and Assurance Division and the Workplace Relations Legal Division. Legal graduates are involved in the full range of work undertaken by our legal teams. Areas include government and administrative law, corporate and commercial law, intellectual property, litigation (including some advocacy work), social security, information law, workplace relations law, workers’ compensation and work health and safety law, and legislation development (including drafting of legislative instruments).

\r\n\r\n

The Legal Division values mentorship and has a very supportive workplace culture. This was one of the reasons why I was attracted to this role. Rotating through different teams is a great opportunity for a young lawyer to be exposed to varied work and discover the type of legal work that interests them. Additionally, the Division also encourages young lawyers to take on various learning and development opportunities, externally and within the department. This positive environment cultivates skilled and forward-thinking young government lawyers. – Shira, Legal Graduate, Legal and Assurance Division (2022)

\r\n\r\n

The DEWR Graduate program offers:

\r\n\r\n
    \r\n\t
  • relocation assistance to move to Canberra
  • \r\n\t
  • permanent ongoing employment in the Australian Public Service,
  • \r\n\t
  • career progression from APS Level 3.1 to APS Level 5.1 on successful completion of the program
  • \r\n\t
  • support from a buddy/alumni
  • \r\n\t
  • an Employee Assistance Program for wellbeing and career support,
  • \r\n\t
  • dedicated buddy and supervisor
  • \r\n\t
  • a dedicated Graduate Sponsor passionate about seeing you thrive
  • \r\n
\r\n\r\n

Positions are primarily located in Canberra.

\r\n\r\n
\"dese\"
\r\n\r\n

Who can pre-register/apply?

\r\n\r\n

The program starts in February each year.

\r\n\r\n

To be eligible to pre-register/apply, applicants must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen or will be by 1 October 2025
  • \r\n\t
  • Must have completed your university degree within the last five years or be in your final year of study and have completed all your course requirements before commencing our program
  • \r\n\t
  • Be prepared to obtain and maintain baseline security clearance
  • \r\n
\r\n\r\n

If you secure a place in our 2026 Graduate Program, you will need to provide evidence of your Australian citizenship and be willing to undergo a National Police Check and health checks as required. The department will guide you through the process of obtaining your baseline security clearance as part of your onboarding process.

\r\n\r\n

How to pre-register/apply

\r\n\r\n

We work collaboratively with other APS agencies to recruit talented individuals through other specialty graduate and entry-level programs. These speciality graduate programs are co-ordinated centrally by AGGP.

\r\n\r\n

Visit the APS Jobs Career Pathways website to find out more or apply. Make sure you nominate the Department of Employment and Workplace Relations as your preferred agency for your chance to join us! 

\r\n\r\n

Our work makes a difference in the lives of all Australians, and we want you to be part of it. 

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/legal-stream-MCBE72X3QZEVFW7GQM2CDU57OLPE", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/legal-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee481" - }, - "title": "Policy Futures Graduate Program (First Nations)", - "description": "

First Nations Career Pathway

\r\n\r\n

This role is being advertised through a targeted recruitment process and s105 of the Anti-Discrimination Act (1991) is currently only open to Aboriginal and Torres Strait Islander people.

\r\n\r\n

As the state's largest employer, we are committed to building an inclusive and diverse workforce that reflects the community we serve, and where everyone feels safe, respected and included.

\r\n\r\n

Building a more skilled and diverse workforce is a key part of Queensland's Moving Ahead strategy to improve economic participation outcomes for Aboriginal and Torres Strait Islander Queenslanders.

\r\n\r\n

We have allocated multiple positions for our 2025 intake for graduates from First Nations communities, strengthening our commitment to building a more skilled and diverse workforce that reflects the diversity of the Queensland community.

\r\n\r\n

About the program

\r\n\r\n

As a Policy Futures graduate, you'll get to explore a wide range of opportunities to find your purpose, unleash your potential and create a better Queensland.

\r\n\r\n

You'll rotate across Queensland Government, gaining exposure to diverse and complex policy environments where you will be free to explore your interests and learn from experts in the field.

\r\n\r\n

Your work can impact how health, education, transport, infrastructure, police and emergency services impact and benefit Queenslanders.

\r\n\r\n

Why join us?

\r\n\r\n
    \r\n\t
  • Great employee benefits - Competitive pay, 12.75% superannuation and flexible work arrangements, generous leave entitlements, salary packaging options and more!
  • \r\n\t
  • Unique and diverse career opportunities - Explore your interests. Follow your passion. The career possibilities are endless. Your work can impact how health, education, transport, infrastructure, police and emergency services impact and benefit Queenslanders.
  • \r\n\t
  • Inclusion for all - As the state's largest employer, we are committed to building an inclusive and diverse workforce that reflects the community we serve. We're looking for graduates with a range of skills, backgrounds and lived experiences.
  • \r\n\t
  • Opportunities for you to develop and grow - Throughout the program, you will participate in a structured learning and development program, ensuring you have the skills and tools to tackle any policy issue that gets thrown your way. Our program builds the future of policy leaders of Queensland.
  • \r\n
\r\n\r\n

Who we're looking for

\r\n\r\n

We're looking for graduates with a genuine desire to make a difference in Queensland.

\r\n\r\n

The policy is a diverse field that requires input from all degrees and disciplines. Whatever you studied⁠—from law to economics, creative industries to social work⁠—your skills and experience will be valued.

\r\n\r\n

Some of our past graduates have backgrounds in counter-terrorism, mathematics, social sciences, law, public health and economics, just to name a few.

\r\n\r\n

We would love to hear from you if you

\r\n\r\n
    \r\n\t
  • are a collaborative team player
  • \r\n\t
  • have strong communication skills
  • \r\n\t
  • are passionate about our community
  • \r\n\t
  • are adaptable and resilient
  • \r\n\t
  • have a passion for learning and a desire to continuously improve.
  • \r\n
\r\n\r\n

Next steps

\r\n\r\n

To find out more about this exciting opportunity and apply for the 2025 Policy Futures Graduate Program visit the Policy Futures website.

", - "company": { - "name": "Policy Futures Graduate Program (Queensland Government)", - "website": "https://au.prosple.com/graduate-employers/policy-futures-graduate-program-queensland-government", - "logo": "https://connect-assets.prosple.com/cdn/ff/ELrRLYyk6NEqbnyxsG_p02NrzozNIH8XHmLbflOSu8E/1674469262/public/styles/scale_and_crop_center_80x80/public/2023-01/1674469259086_Untitled%20design.png" - }, - "application_url": "https://policyfutures.apply.cappats.com/jobs/apply/26", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/policy-futures-graduate-program-queensland-government/jobs-internships/policy-futures-graduate-program-first-nations" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T23:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee482" - }, - "title": "Graduate Developer", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in a structured 12-month program focused on mainframe software development.
  • \r\n\t
  • Engage in intensive learning of mainframe basics and z/OS operating system.
  • \r\n\t
  • * Work within development teams on actual products.
  • \r\n\t
  • Receive mentorship and guidance from experienced team members.
  • \r\n\t
  • Develop skills in z/OS Assembler, C/C++, and other programming languages.
  • \r\n\t
  • Collaborate in a supportive environment regardless of experience level.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will have:

\r\n\r\n
    \r\n\t
  • A recent degree or diploma in Computer Science.
  • \r\n\t
  • Experience in several programming languages.
  • \r\n\t
  • Familiarity with SCM tools like Git or GitHub.
  • \r\n\t
  • A passion for programming.
  • \r\n\t
  • Some exposure to Assembler and mainframe experience is desirable.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy a great CBD location with easy access to public transport. Benefit from a friendly, fun work environment and mentorship by skilled team members.

\r\n\r\n

Training & development

\r\n\r\n

Participate in professional development programs and receive mentorship to enhance your skills and knowledge in mainframe software development.

\r\n\r\n

Career progression

\r\n\r\n

Explore various career pathways within the company, with opportunities to advance as a Software Engineer, System Programmer, DevOps Engineer, or Technical Writer.

\r\n\r\n

Report this job

", - "company": { - "name": "21CS Australia", - "website": "https://au.prosple.com/graduate-employers/21cs-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/_WSLlsm2MaBpxZZN5U10szd64z1hnVQQ0IBiCgWkWt0/1736840268/public/styles/scale_and_crop_center_80x80/public/2025-01/logo-21cs-australia-450x450-2024.png" - }, - "application_url": "https://recruiting.ultipro.com/VMS1002VMOO/JobBoard/3dde3e78-a60b-47af-93cf-ef6db6ed312b/OpportunityDetail?opportunityId=3908b55f-71fe-4247-a68c-02ef84588941", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/21cs-australia/jobs-internships/graduate-developer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee483" - }, - "title": "Greenlake Solutions Architect Graduate", - "description": "

Who We Are:

\r\n\r\n

Hewlett Packard Enterprise is the global edge-to-cloud company advancing the way people live and work. We help companies connect, protect, analyze, and act on their data and applications wherever they live, from edge to cloud, so they can turn insights into outcomes at the speed required to thrive in today’s complex world. Our culture thrives on finding new and better ways to accelerate what’s next. We know diverse backgrounds are valued and succeed here. We have the flexibility to manage our work and personal needs. We make bold moves, together, and are a force for good. If you are looking to stretch and grow your career our culture will embrace you. Open up opportunities with HPE.

\r\n\r\n

Job Description:

\r\n\r\n

Advance the way you live and work at HPE.

\r\n\r\n

Who We Are:

\r\n\r\n

At HPE, our team members search beyond customers' needs today to accelerate what’s next and make a difference — for others, our company, and the planet. Our customers turn to us because we are positive, empathetic, and enterprising. We embrace opportunities to accelerate this transformation across data, connectivity, cloud, and security. And together we make what was once thought impossible, possible.

\r\n\r\n

That’s why we not only give you the space to grow into the professional you want to be, but we also embrace who you are and where you come from. We also value the flexibility and autonomy to balance work and personal needs in a way that works best for you.

\r\n\r\n

A career as a PreSales Graduate allows you the opportunity to drive deals from qualification to close and grow into a true professional with valuable relationships and international working experience.

\r\n\r\n

Program Start Date: March 2025

\r\n\r\n

What you'll do:

\r\n\r\n
    \r\n\t
  • Gather information appropriately to develop an accurate understanding of customer technology infrastructure in the Data Centre Technologies Area
  • \r\n\t
  • Contribute to the creation of an appropriate technical solution to meet the customer’s requirements
  • \r\n\t
  • Adapts solution design to new requirement
  • \r\n\t
  • Maintain good communications with customers and partners.
  • \r\n\t
  • Advance opportunities effectively
  • \r\n\t
  • Actively support the account team with product advice, proposal support, presentations, and other customer communications
  • \r\n\t
  • Engage appropriate additional technical resources as needed
  • \r\n
\r\n\r\n

What you’ll need:

\r\n\r\n
    \r\n\t
  • Completed Bachelor’s or Master’s degree within the last 12 months from the start date in computer science, software engineering or equivalent
  • \r\n\t
  • Strong verbal and written communication skills in English
  • \r\n\t
  • Experience or a proven interest in sales and a passion for technology.
  • \r\n\t
  • Excellent at building relationships at all levels and having solution focused discussions.
  • \r\n
\r\n\r\n

What we’d prefer you bring:

\r\n\r\n
    \r\n\t
  • The drive to seek out what’s next and to deliver exceptional results
  • \r\n\t
  • A collaborative, solution focused spirit and overall sense of urgency
  • \r\n\t
  • The desire to embrace new ideas and fresh thinking and seek out ideas different than your own
  • \r\n\t
  • Experience as an active leader on campus who strives to make a positive impact on the world
  • \r\n\t
  • Comfort with working in a hybrid (virtual and face-to-face) environment
  • \r\n\t
  • Exceptional communication and presentation skills and the ability to ask smart questions
  • \r\n
\r\n\r\n

At HPE, we’re: · Ranked 19th on Fortune’s 2022 list of 100 Best Companies to Work For.

\r\n\r\n
    \r\n\t
  • Ranked 7th on Newsweek’s list of America’s Most Responsible Companies 2022
  • \r\n\t
  • Named a Best Place to Work for Disability Inclusion for the sixth year in row
  • \r\n\t
  • Named one of the 100 Best Large Workplaces for Millennials in 2021
  • \r\n\t
  • Recognized as one of the Best Companies for Multicultural Women by Seramount
  • \r\n
\r\n\r\n

Ready to take the next step? Open up opportunities with HPE.

\r\n\r\n

 

", - "company": { - "name": "Hewlett Packard Enterprise (HPE)", - "website": "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe", - "logo": "https://connect-assets.prosple.com/cdn/ff/Hbu1DjSV2otmsvvSz63vJV_LCTxNmV4i-4mtW4CAGUE/1649113550/public/styles/scale_and_crop_center_80x80/public/2022-04/1593697162881.jpg" - }, - "application_url": "https://careers.hpe.com/us/en/job/1184003/Greenlake-Solutions-Architect-Graduate", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe/jobs-internships/greenlake-solutions-architect-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee484" - }, - "title": "Member Sales & Service Consultant", - "description": "

Start your new chapter in 2025 as a Member Sales & Service Consultant with our national contact centre team.

\r\n\r\n

We are looking for Member Sales & Service Consultants to join our national contact centre on a full-time basis. In this role, you will take calls from new and existing members across Australia, assisting them with their banking and financial needs.

\r\n\r\n

Our contact centre teams enjoy the flexibility of dividing their time between remote work and our Flinders Street head office, offering the best of both worlds. We are passionate about being available for our members when they need us, which is why we offer core service hours from 7:00 AM to 11:00 PM, seven days per week with penalty rates applying for work on Saturdays and Sundays. 

\r\n\r\n

We understand the importance of balancing work and life, and we are committed to supporting our team members in achieving this balance. You can take advantage of flexible rostering options that allow you to manage your schedule in a way that suits your personal needs and if something doesn’t work, you can swap your shifts with another team member. 

\r\n\r\n

Key Responsibilities include:

\r\n\r\n
    \r\n\t
  • Delivering outstanding service to our members over the phone, ensuring a seamless banking experience
  • \r\n\t
  • Showing genuine care for our members when they need support
  • \r\n\t
  • Assisting members by being a knowledgeable resource on our products and services
  • \r\n\t
  • Recognising opportunities to promote and refer our products and services
  • \r\n\t
  • Encouraging members to utilise our digital services
  • \r\n\t
  • Prioritizing and completing tasks with accuracy and efficiency
  • \r\n\t
  • Effectively navigating various contemporary systems and software
  • \r\n
\r\n\r\n

You’ll be part of a team that promotes a supportive and inclusive culture, with comprehensive ongoing training to ensure your success. We value the hard work of our team and make sure to incorporate fun along the way!

\r\n\r\n

About you

\r\n\r\n

Don’t worry if you haven’t worked in a contact centre before, we are on the lookout for passionate people with a drive to deliver an amazing customer experience every time. 

\r\n\r\n

If you are ready to learn new skills and develop your career with a market leader, then we want to speak with you!
\r\nHeritage and People’s Choice will provide a supported 6-week on-site training program and the tools you need to make your job easier before you the hit the phones. 
\r\n
\r\nWhy you'll love working with us:  

\r\n\r\n

People First Bank – our new brand – says exactly what we’re all about: people. We're committed to supporting and growing our team and creating an outstanding work environment. 

\r\n\r\n

You’ll have access to financial and lifestyle benefits to support your success and individuality: 

\r\n\r\n
    \r\n\t
  • Extend your salary with discounts on banking, health insurance and shopping access across Australia
  • \r\n\t
  • Advance your career with training, study support and project opportunities
  • \r\n\t
  • Competitive leave benefits that empower employees to take time for themselves and loved ones
  • \r\n\t
  • Wellbeing support with our employee Assistance Program, wellbeing leave and mental health ambassadors' program
  • \r\n\t
  • Make a difference with paid volunteering, Workplace Giving and diverse community initiatives
  • \r\n\t
  • Be recognised for your contributions through our peer-driven recognition program
  • \r\n\t
  • Flexibility and hybrid working arrangements
  • \r\n
\r\n\r\n

If you're interested in this opportunity, please click 'Apply Now' and submit your application, including a cover letter and current resume, by Monday 20 January 2025.

\r\n\r\n

We are committed to diversity and inclusion and support candidate requests for adjustments to accommodate disability, illness or injury, to enable everyone to equitably participate in our selection process.

", - "company": { - "name": "People First Bank", - "website": "https://au.prosple.com/graduate-employers/people-first-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/Y4y0fYP_gqSNC-9-qlsr_7BrdrNY68hXV_GTWuELrwQ/1727916296/public/styles/scale_and_crop_center_80x80/public/2024-10/1727916295959_240x240px_stackedlogo.jpg" - }, - "application_url": "https://hcyt.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/3608/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/people-first-bank/jobs-internships/member-sales-service-consultant" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T13:29:59.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee485" - }, - "title": "Graduate Program - Software Engineering. Modelling & Analysis Engineering, Cyber Security Consultant", - "description": "

The role 

\r\n\r\n

As a Saab Graduate, you will work alongside experienced engineers to deliver world leading and innovative projects. 

\r\n\r\n

Saab’s Graduate Program is a two year program, which offers you the opportunity to work in either; a focused program, dedicated to honing technical proficiency in a specific area, or; a dynamic experience with structured rotations across two diverse teams within our organisation.

\r\n\r\n

These options are carefully designed to match your unique skills, developmental aspirations, business needs, and personal preferences.

\r\n\r\n

Following the successful completion of the program, you will be placed into a permanent position within the business so that you can continue the growth of your exciting new career.

\r\n\r\n

Our 2026 Software Engineering and Modelling & Analysis Graduate program will be comprised of the following graduate roles, based out of our Adelaide and Melbourne offices, noted below.

\r\n\r\n
    \r\n\t
  • Software Engineering: within our surface ship Combat Management System and Submarine Automation System product teams, including requirements, design, coding, bug fixes and testing of software components. This role would suit those studying software engineering, computer science or related engineering/technical degrees. This role is located in both our Adelaide and Melbourne offices.
  • \r\n\t
  • Modelling and Analysis Engineering: undertaking software development of combat system performance models characterising the combat performance of Navy Surface Combatants. This role would suit those studying software engineering, computer science or related engineering/technical degrees. This role is located within our Adelaide office. 
  • \r\n
\r\n\r\n

About you

\r\n\r\n

We are searching for talented and inquisitive problem-solvers, who are interested and passionate about designing and developing products that will help to keep people and society safe, one of our important core values.

\r\n\r\n

You will be required to have completed within the last two (2) years, or about to complete, a Bachelor’s Degree, specialising in:

\r\n\r\n
    \r\n\t
  • Computer Science
  • \r\n\t
  • Software Engineering
  • \r\n\t
  • Mechatronics Engineering
  • \r\n
\r\n\r\n

Or a related technical discipline

\r\n\r\n

As Defence security clearance is required for these roles, you will be an Australian citizen and eligible to obtain and maintain appropriate clearance.

\r\n\r\n

About us

\r\n\r\n

Saab Australia is a defence, security and cyber solutions provider, specialising in the development and integration of major defence and security systems. For over 35 years in Australia, we have built a reputation for delivering complex systems integration projects that provide proven and advanced capabilities to keep us ahead of today’s challenges. 

\r\n\r\n

From combat, space, security and underwater systems, to mixed reality, cyber security and deployable health solutions, our extensive portfolio of products and services provide high-technology solutions for defence forces and civil industries across the globe.

\r\n\r\n

Apply today to join our crew and deliver solutions with purpose.

\r\n\r\n

Culture and benefits

\r\n\r\n

We employ over 1000 Australians and are committed to fostering a culture of excellence and enriching the employee experience. 

\r\n\r\n

By joining Saab, you’ll be a part of a collaborative and supportive organisation, where your professional growth and work-life balance are emphasised.  You’ll work within an innovative and vibrant workplace, while having the opportunity to develop a long-term, fulfilling career.

\r\n\r\n

As a valued team member of Saab Australia, you’ll access a variety of perks and benefits to support you and your family including:

\r\n\r\n
    \r\n\t
  • 6 weeks paid leave each year
  • \r\n\t
  • 13% Superannuation
  • \r\n\t
  • Free Income Protection Insurance
  • \r\n\t
  • Flexible working arrangements such as hybrid work from home/office and 9 day fortnight will be considered
  • \r\n\t
  • Access to the Saab shares matching scheme
  • \r\n\t
  • Access to MySaab; our online store offering everything from cash back at hundreds of stores to discounts from exclusive partners
  • \r\n
\r\n\r\n

Applications

\r\n\r\n

This recruitment and selection process will entail a number of technical and personality/work styles assessments, assessing technical fit and cultural alignment. 

\r\n\r\n
    \r\n\t
  1. Once applications open, click ‘Apply’ to submit your CV and cover letter in support of your application. You may contact our careers team for further information. Kindly observe that this is an ongoing recruitment process and in exceptional circumstances, the position might be filled before the closing date of the advertisement. We encourage applications as early as possible to avoid disappointment.
  2. \r\n
\r\n\r\n

By submitting an application to Saab, you consent to undertaking workforce screening activities including, but not limited to:  reference checks, Australian Federal Police check, verification of working rights and qualifications, sanctions screening and a pre-employment medical declaration.

\r\n\r\n

Saab Australia is an Equal Opportunity Employer and encourages Aboriginal and Torres Strait Islanders to apply. We also welcome applications from individuals with culturally diverse backgrounds. 

\r\n\r\n

Saab Australia is a proud supporter of the Veterans’ Employment Program and welcomes the interest of ex-service members, veterans and their families. 

", - "company": { - "name": "Saab Australia", - "website": "https://au.prosple.com/graduate-employers/saab-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Mxjjyi_0qjJDUXYqWSL7th_UXDPp8OldRenT4L9DOMo/1580797660/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-saab-australia-240x240-2020.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/saab-australia/jobs-internships/graduate-program-software-engineering-modelling-analysis-engineering-cyber-security-consultant" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee486" - }, - "title": "IT Winter Internship", - "description": "

Ashurst 2025 IT Winter Internship 
\r\n
\r\nAre you looking for a 2025 IT Winter Internship with a commercial difference? At Ashurst, we're looking for IT Interns like you with a rare kind of mindset: an openness to the way you work, an agility to the way you think, and a strong desire to keep evolving as a professional.

\r\n\r\n

As a global law firm with a rich history spanning 200 years, we've established ourselves as a leading adviser to corporates, financial institutions and governments, on all areas of the law including finance, M&A, disputes and competition. With 31 offices across the world's leading financial and resource centres, we offer the reach and insight of a global network combined with deep local market knowledge. In an era of ever increasing technological change and demand, we recognise the importance of IT to the success of Ashurst.

\r\n\r\n

If you want to enrich and expand your worldview, grow your skills and influence new ways of thinking, all within a global law firm, we'd like to hear from you!

\r\n\r\n

We are looking for interns in the following areas of our IT Department: 

\r\n\r\n
    \r\n\t
  • Application Support
  • \r\n\t
  • Desktop Engineers
  • \r\n\t
  • Service Delivery
  • \r\n\t
  • Infrastructure
  • \r\n\t
  • Security Analysts
  • \r\n
\r\n\r\n

The aim of our Internship is to expose you to as much real work as possible, to help you to make an informed decision about whether the Ashurst 2025 IT Graduate Program is the right opportunity for you. Offers for the 2026 Graduate program will be made at the end of the internship. 

\r\n\r\n

But it's not all work! There's also a chance to get involved in understanding the different areas of IT and Legal practices through workshops, team-building events to understand how we work together, and social events to get to know our teams away from the bustle of daily life.

\r\n\r\n

The internship program will run from 17 June through to 12 July on a fixed term, full time basis. In addition to gaining valuable experience, working as an Intern presents an opportunity for you to join our Graduate Program. We offer most of our graduate roles to people who have completed an internship in one of our offices.

\r\n\r\n

Ashurst 2026 IT Graduate Program

\r\n\r\n

If you secure a role in the Ashurst 2026 IT Graduate Program, you will be part of a team that is involved in running the firm's technology and delivering programs and IT projects from beginning to end. The programs are closely tied to the strategic direction of the firm, as well as the policies and initiatives that are influenced and shaped by the change drivers.

", - "company": { - "name": "Ashurst", - "website": "https://au.prosple.com/graduate-employers/ashurst", - "logo": "https://connect-assets.prosple.com/cdn/ff/Cp23ixlMl67gfvEfYS7mP5UEIVY9HQp1u7DlEj9qFko/1710993035/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-ashurst-480x480-2024.jpg" - }, - "application_url": "https://fsr.cvmailuk.com/ashurstcareers/main.cfm?page=jobSpecific&jobId=72342", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ashurst/jobs-internships/it-winter-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-09T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee487" - }, - "title": "Account Technology Internship", - "description": "

Your role

\r\n\r\n

Account Technology provides technology guidance to clients and orchestrates the interaction between clients and Microsoft resources to drive new opportunities, demand generation, digital transformation, and the mapping of industry/business scenarios to Microsoft solutions. Drives conversations with clients to present the strategic value of Microsoft solutions and acts as a trusted technology advisor both internally and externally with technical and/or business decision-makers.

\r\n\r\n

Responsibilities:

\r\n\r\n
    \r\n\t
  • Generates business insights based on data received from the customer and internal teams (e.g., community and ecosystem, account team), and from knowledge of the capability of Microsoft products, to provide input into planning processes.
  • \r\n\t
  • Assists in the creation of fundamental, technical roadmaps, outlining the customer’s transformation journey and core wins, with help from others. Builds technical engagement or enablement plan, captures baseline, and drives envisioning.
  • \r\n\t
  • Applies an understanding of the customer's business objectives and scenarios in conjunction with Industry Sales Kits and Solution Plays.
  • \r\n\t
  • Respond to opportunities presented by the customer, create demand, and report isolated problems or issues that the customer is experiencing.
  • \r\n\t
  • Provides support to help drive account planning for budgeting, quota attainment, consumption goals, and customer consumption gaps to inform quarterly and fiscal objectives. Coordinates account teams and conducts forecasting and tracking of the business, as instructed. Execute tasks related to the technical portion of the customer
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Required Qualifications:

\r\n\r\n
    \r\n\t
  • Currently pursuing a Bachelor's, Master’s or PhD Degree in Computer Science, Information Technology, Engineering, or a related field
  • \r\n\t
  • Must have at least one additional quarter/semester of school remaining following the completion of the internship
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passion for technology and customer-obsessed
  • \r\n\t
  • Excellent verbal and written communication, analytical and presentation skills
  • \r\n\t
  • Exceptional negotiation, customer service, and interpersonal skills
  • \r\n\t
  • Technical consulting, technical consultative selling, product development, or related technical/sales experience
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

As an intern at Microsoft, you may receive the following benefits (may vary depending on the nature of your employment and the country where you work):

\r\n\r\n
    \r\n\t
  • Industry-leading healthcare
  • \r\n\t
  • Educational resources
  • \r\n\t
  • Discounts on products and services
  • \r\n\t
  • Savings and investments
  • \r\n\t
  • Maternity and paternity leave
  • \r\n\t
  • Generous time away
  • \r\n\t
  • Giving programs
  • \r\n\t
  • Opportunities to network and connect
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

At Microsoft, Interns work on real-world projects in collaboration with teams across the world, while having fun along the way. You’ll be empowered to build community, explore your passions and achieve your goals. They support continuous learning and growth through a wide range of technical, management, and professional development programs.

\r\n\r\n

To know more about the life as a Microsoft intern, watch this video:

\r\n\r\n

\r\n\r\n

Career progression

\r\n\r\n

Nikhil Gaekwad's career progression at Microsoft exemplifies the opportunities available for growth within the company, starting from his early internships to becoming a program manager on the Windows team. His journey highlights how Microsoft's hands-on projects, mentorship, and cross-platform experiences enable interns and employees to develop crucial skills, make significant contributions, and shape their careers in the tech industry. Read about his story here.

\r\n\r\n

Sources

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.microsoft.com/v2/global/en/benefits
  • \r\n\t
  • news.microsoft.com/life/windows-opportunity-career-potential-meets-cutting-edge-technology/
  • \r\n
", - "company": { - "name": "Microsoft Australia", - "website": "https://au.prosple.com/graduate-employers/microsoft", - "logo": "https://connect-assets.prosple.com/cdn/ff/sY04jQaY8yP_42XE9NQAh_Svng9_KxFevW_9wxdyBb8/1564041819/public/styles/scale_and_crop_center_80x80/public/2019-03/microsoft_global_logo.png" - }, - "application_url": "https://jobs.careers.microsoft.com/global/en/job/1780131/Account-Technology-Internship-Opportunities", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/microsoft-australia/jobs-internships/account-technology-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee488" - }, - "title": "Prosple Campus Ambassador", - "description": "

About Prosple

\r\n\r\n

Prosple is dedicated to helping students everywhere get the best start to their careers. Our mission is to connect students with the best job opportunities and career resources. We achieve this through our curated job board where all jobs don’t require experience for you to apply. We also have a printed book, called the Top 100 Graduate Employers’ Guide, which is really helpful for students in their job search. We distribute this at university career fairs.

\r\n\r\n

Role Overview

\r\n\r\n

Prosple is looking for enthusiastic student ambassadors to represent us on campus and make a real impact! As a Campus Ambassador, you’ll play a key role in supporting your peers with their careers and sharing valuable career resources, such as our job board website and the Top 100 Graduate Employers’ book.

\r\n\r\n

What’s in It for You?

\r\n\r\n
    \r\n\t
  • Enhance Your CV: Gain valuable experience in event management, stakeholder engagement and people management and student engagement.
  • \r\n\t
  • Network: Connect with top employers and career services at career fairs.
  • \r\n\t
  • Rewards: Get paid to represent Prosple on-campus, receive performance-based rewards, and get a free Prosple swag.
  • \r\n\t
  • Recommendation: Get an opportunity for a letter of recommendation when you start your job hunt for your graduate job.
  • \r\n\t
  • Land a job: Land a job with Prosple! Be considered for an ongoing internship or full-time role with Prosple.
  • \r\n
\r\n\r\n

Your Role:

\r\n\r\n
    \r\n\t
  • Attend university Career Fairs: Represent Prosple and promote our job search resources to fellow students.
  • \r\n\t
  • Distribute Books: Hand out our Top 100 Graduate Employers’ career guides to help students search for jobs.
  • \r\n\t
  • Gather Feedback: Collect insights from students and provide feedback to help us improve.
  • \r\n\t
  • Stakeholder management: Assist the university careers team in distributing the Top 100 Guide, building and maintaining a strong relationship with the university and Prosple
  • \r\n\t
  • Raise Awareness: Increase knowledge about Prosple’s offerings and how we can support career development.
  • \r\n\t
  • Report: Maintain an activity log and submit regular reports on your engagement and event participation.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Student Status: Currently enrolled as a student.
  • \r\n\t
  • Friendly: You need to enjoy smiling and having a good time with your student peers as they try to figure out their first professional job!
  • \r\n\t
  • Communication Skills: Strong verbal communication skills with the ability to engage and motivate peers.
  • \r\n\t
  • Organisational Skills: Ability to manage and organise campus activities and events effectively.
  • \r\n\t
  • Passion for Career Development: Genuine interest in helping fellow students with their career planning and job search.
  • \r\n\t
  • Team Player: Ability to work independently and as part of a team.
  • \r\n\t
  • Tech Savvy: Comfortable using social media and other digital platforms to promote Prosple.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n
    \r\n\t
  • Click the ‘Apply now’ button to get started
  • \r\n\t
  • Submit a 60-sec video to introduce yourself to partners@prosple.com with the following information\r\n\t
      \r\n\t\t
    • Your university, year level and degree
    • \r\n\t\t
    • Why are you excited to join the program
    • \r\n\t\t
    • Note: You may use Vidyard  (https://www.vidyard.com/free-screen-record/) or loom (https://www.loom.com/) to record and share us the link to your recording
    • \r\n\t
    \r\n\t
  • \r\n
", - "company": { - "name": "Prosple", - "website": "https://au.prosple.com/graduate-employers/prosple", - "logo": "https://connect-assets.prosple.com/cdn/ff/nRTCj07BqQ-lvTdCo_wvcUsnkdsRElp1R6H-xLQ9bMg/1724846051/public/styles/scale_and_crop_center_80x80/public/2024-08/1724846045192_logo-prosple-480x480-2022.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/prosple/jobs-internships/prosple-campus-ambassador" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-05-23T13:59:00.000Z" - }, - "locations": ["AUSTRALIA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee489" - }, - "title": "Multimedia Software Engineer Intern", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the Department

\r\n\r\n

Video & Edge is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

About the Team

\r\n\r\n

Multimedia Platform department is mainly responsible for multimedia processing systems, including video transcoding systems, cloud editing systems and image processing systems. The technology stack involved includes backend services, multimedia engineering, multimedia frameworks, heterogeneous computing, etc. Our platform processes hundreds of millions of videos and tens of billions of pictures every day, strongly supporting the development of TikTok. Our vision is to build the best multimedia processing platform and become the best multimedia engineering architecture team.

\r\n\r\n

We are looking for talented individuals to join us for an internship in from Jan 2025 onwards. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the development of video computing framework to support the efficient processing of the company's massive video and complex business needs
  • \r\n\t
  • Support the multimedia-related business requirements of the company's product lines, including but not limited to image processing, video transcoding, video editing, video analysis, etc.;
  • \r\n\t
  • Responsible for video processing related performance analysis and optimization.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Undergraduate, or Postgraduate who is currently pursuing a Bachelor/Masters Degree in Software Development, Computer Science, Computer Engineering, or a closely related technical field, expecting to graduate by December 2025.
  • \r\n\t
  • Candidates are expected to work on-site at our Sydney office for a minimum of three days per week during the internship, which runs for at least 3 months and may be extended based on performance and mutual agreement.
  • \r\n\t
  • Proficient in at least one of the mainstream languages C/C++/Python/Go/, excellent coding skills.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience in multimedia related technology such as video codec, detection, and enhancement.
  • \r\n\t
  • Experience in media processing framework development is preferred.
  • \r\n\t
  • Experience in video processing related performance optimization is preferred.
  • \r\n\t
  • Experience in transcoding or computing platform development is preferred.
  • \r\n\t
  • Positive and optimistic, strong sense of responsibility, careful and meticulous work, good team communication and collaboration skills.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7457051278674315528?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/multimedia-software-engineer-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48a" - }, - "title": "Graduate / Junior Trader", - "description": "

Eclipse Trading is one of Asia's leading proprietary derivatives trading firms. Founded in 2007, we have over 100 staff across 4 office locations – Hong Kong (our HQ), Sydney, Shanghai and Chicago. Our trading expertise and strategies are deployed across several Asian markets and although we mainly specialise in equity derivatives, we also trade delta one, ETFs, commodity derivatives, and crypto currency products. Technology is inextricably linked to our trading strategies, creating an environment powered by intellectual curiosity, problem solving, and innovation.

\r\n\r\n

Responsibilities and Duties

\r\n\r\n

We are seeking a highly motivated and talented individual to join our Sydney trading team as a Graduate/Junior Trader. Eclipse Trading gives new Traders the opportunity to learn from the most successful members of our Trading team and apply their knowledge quickly. This role is ideal for someone with a strong analytical mindset, a passion for financial markets, and the drive to succeed in a fast-paced trading environment. Fresh Graduates with trading internship experience are welcome to apply and will be considered as Graduate Trader.

\r\n\r\n

What you offer

\r\n\r\n
    \r\n\t
  • Assist senior traders in executing trades and managing trading positions.
  • \r\n\t
  • Conduct market research/analysis and monitor market conditions, news, and events to identify potential trading opportunities.
  • \r\n\t
  • Develop and backtest trading strategies using historical data.
  • \r\n\t
  • Collaborate with other traders and quantitative researchers to optimize existing strategies
  • \r\n\t
  • Collaborate with the technology team to enhance trading tools and systems.
  • \r\n\t
  • Maintain accurate records of trades and performance metrics.
  • \r\n\t
  • Participate in risk management and compliance activities.
  • \r\n
\r\n\r\n

Requirements:

\r\n\r\n
    \r\n\t
  • Bachelor's degree in Finance, Economics, Statistics, Mathematics, or a related field.
  • \r\n\t
  • Strong knowledge of options pricing models, volatility analysis, and quantitative trading strategies.
  • \r\n\t
  • Proficiency in options trading software, market data feeds, and order management systems.
  • \r\n\t
  • Deep understanding of financial markets, including equity options, index options, and futures.
  • \r\n\t
  • Excellent analytical and problem-solving skills, with the ability to make quick and informed trading decisions.
  • \r\n\t
  • Programming experience preferred
  • \r\n\t
  • Ability to thrive and make decisions in a fast-paced trading environment and handle pressure effectively.
  • \r\n\t
  • Strong communication and collaboration skills
  • \r\n
\r\n\r\n

What we offer

\r\n\r\n
    \r\n\t
  • Dynamic and collaborative work environment
  • \r\n\t
  • A flat management structure, where everyone's voice is valued
  • \r\n\t
  • Work life balance within a multi-cultural environment
  • \r\n\t
  • Fully stocked kitchen for breakfast and lunch
  • \r\n\t
  • Attractive benefits package with discretionary bonus
  • \r\n
\r\n\r\n

Eclipse Trading is an equal opportunity employer and we believe that diversity and inclusion are essential pillars of our success as a company. We are dedicated to embrace a culture reflecting a variety of perspectives, insights and backgrounds to drive innovation. We build talented and diverse teams to drive business results and encourage our people to develop to their full potential.

\r\n\r\n

 All information provided will be treated in strict confidence and used solely for recruitment purposes.

\r\n\r\n

 Due to the high number of responses that we receive, we are only able to respond to successful applicants.

", - "company": { - "name": "Eclipse Trading", - "website": "https://au.prosple.com/graduate-employers/eclipse-trading", - "logo": "https://connect-assets.prosple.com/cdn/ff/zwSaau-5WmZ_-87cVb1WHQkbPmR2C4NosIQOWaXX18E/1575744128/public/styles/scale_and_crop_center_80x80/public/2019-11/Logo-Eclipse-Trading-240x240-2019.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/eclipsetrading/jobs/7749354002", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/eclipse-trading/jobs-internships/graduate-junior-trader" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48b" - }, - "title": "Security Analyst Internship Program 2025", - "description": "Gain experience working on projects like Security Operations, Incident Response, and Threat Intelligence. Develop your Python, C, C++, Java, and Ruby skills.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-security-analyst-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-security-analyst-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48c" - }, - "title": "Graduate Mobile Engineer, TikTok LIVE - Foundation", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, implement the new-user features of our mobile application;
  • \r\n\t
  • Collaborate with the design and product teams to create a world-class mobile experience;
  • \r\n\t
  • Optimize mobile applications and user experience on the Android / iOS platforms;
  • \r\n\t
  • Promote robust and maintainable code, clear documentation, and deliver high quality work on a tight schedule.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Computer Science or equivalent majors
  • \r\n\t
  • Proficiency in coding & scripting languages such as C/C++, Java, Kotlin, Objective-C, Swift, JavaScript or Python
  • \r\n\t
  • Solid understanding of computer science and strong problem solving skills
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good team communication and collaboration skills
  • \r\n\t
  • Experience in mobile development (Android/iOS apps) is a plus but not a must-have
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7371321405311666470?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-mobile-engineer-tiktok-live-foundation-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48d" - }, - "title": "Graduate Machine Learning Engineer", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next-generation video processing platform and the largest live-streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle the challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

About the team

\r\n\r\n

Be part of TikTok's groundbreaking Data Application Team within the Video Cloud Infrastructure division, where we empower our Live CDN and ultra-edge CDN service teams to revolutionize video on demand and video streaming through data-driven insights and cutting-edge algorithms. By harnessing the vast log data generated by our CDNs, we develop intelligent tools to optimize performance, minimize costs, and enhance user experiences. As part of our lean and agile team, you'll have the opportunity to make a significant impact and shape the future of video streaming for billions of users worldwide.

\r\n\r\n

We are looking for talented individuals to join us in 2026. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order they apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Identify issues in online services and provide optimization solutions by analyzing massive log data.
  • \r\n\t
  • Establish metrics systems and attribution paths for services, provide intelligent alerting and attribution tools to help quickly locate problems and give optimization suggestions.
  • \r\n\t
  • Develop and optimize machine learning models to drive cost savings and quality optimization for services, utilize big data mining and data algorithms to drive cost savings and quality optimization for services.
  • \r\n\t
  • Integrate data from various parties to provide globally optimal solutions.
  • \r\n\t
  • Establish common data capabilities and horizontally promote them to related service parties to avoid reinventing the wheel.
  • \r\n\t
  • Collaborate with cross-functional teams to deploy machine learning models in production environments and monitor their performance.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Statistics, Mathematics, Computer Science, or a related technical discipline.
  • \r\n\t
  • Solid understanding of machine learning concepts, and algorithms.
  • \r\n\t
  • Familiar with statistics, linear algebra, probability theory, common data structures, and machine learning algorithms; understand the applicable scopes of different algorithms.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience with big data processing frameworks (e.g., Hadoop, Spark) and cloud platforms (e.g., AWS, GCP).
  • \r\n\t
  • Experience with algorithm-related projects in open-source communities.
  • \r\n\t
  • Understanding of CDN principles and experience in network quality optimization.
  • \r\n\t
  • Demonstrates open-mindedness, excellent communication skills, and the ability to thrive in a cross-national collaborative environment while embracing the company culture.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://careers.tiktok.com/position/7359456258078656819/detail", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-machine-learning-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48e" - }, - "title": "Graduate Software Engineer", - "description": "

Start shaping your future career with Honeywell; Become a #FutureShaper

\r\n\r\n
    \r\n\t
  • Make an Impact.
  • \r\n\t
  • Make Real Connections.
  • \r\n\t
  • Make the Best You.
  • \r\n
\r\n\r\n

Working at Honeywell is not just creating incredible things. You will have the opportunity to work with our talented and inclusive team of professionals and be part of a global team of future shapers.

\r\n\r\n

As a Graduate Software Engineer, based in Sydney. you will be working in 1 of only 5 innovation hubs globally.  You will be involved in the development of new software innovation, using contemporary software processes, tools and quality systems to develop mission-critical software solutions.

\r\n\r\n

In choosing to shape your career with Honeywell you can expect:

\r\n\r\n
    \r\n\t
  • Immediate Impact: Dive into a real role from day one, gaining hands-on experience and making a meaningful contribution.
  • \r\n\t
  • Structured Growth: Benefit from a 2-year program that culminates in a permanent job with competitive remuneration.
  • \r\n\t
  • Guided Support: Receive personalised guidance with an assigned buddy in year one and a dedicated mentor in year two as well as participating in your Graduate Huddle Group
  • \r\n\t
  • Continuous Development: Embark on a graduate development journey to enhance your technical and leadership skills.
  • \r\n\t
  • Showcase Your Talents: Sharpen your communication and presentation skills through graduate presentations.
  • \r\n\t
  • Personalised Careers: Craft an individual development plan to shape your career journey with us.
  • \r\n
\r\n\r\n

Your role:

\r\n\r\n
    \r\n\t
  • Perform software engineering tasks as part of a team to develop innovations for Honeywell’s market-leading mission-critical software solutions
  • \r\n\t
  • Apply contemporary software development methodologies and tools, such as Agile and Iterative development, across the full development lifecycle
    \r\n\t 
  • \r\n\t
  • Provide responsive customer support for software solutions developed
  • \r\n
\r\n\r\n

Skills and Experience

\r\n\r\n
    \r\n\t
  • Recent graduate (or graduate who will finish in the next 6 months) in engineering and software, such as Software Engineering, Computer Science, Mechatronics or Electrical Engineering with a credit average or above
  • \r\n\t
  • Able to work well in a team to achieve results
  • \r\n\t
  • Working knowledge from C/C++, C#, .NET, Web Services and other related technologies, to familiarity with Web Development using HTML/CSS and JavaScript
  • \r\n
\r\n\r\n

We Value

\r\n\r\n
    \r\n\t
  • If you’re an engineer at heart who is passionate about using software and technology to solve real-world problems, then this is the role for you!
  • \r\n\t
  • Outstanding students who like taking initiative and working with others to get results.
  • \r\n\t
  • That you live and breathe software, and love to master new skills to solve complex and rewarding problems, then we want to hear from you!
  • \r\n
\r\n\r\n

Application Information

\r\n\r\n
    \r\n\t
  • The anticipated start date would be Feb 2026
  • \r\n\t
  • Permanent Residency in Australia or New Zealand, or Citizenship is required.
  • \r\n\t
  • Successful candidates will be required to successfully complete pre-employment background and drug screening.
  • \r\n
\r\n\r\n

Discover More

\r\n\r\n

For more information visit our career page. Also, meet our graduates aon our page.

\r\n\r\n

We’ve been innovating for more than 100 years and now we’re creating what’s next. There’s a lot more available for you to discover. Our solutions, our case studies, our #futureshapers, and so much more.

\r\n\r\n

If you believe what happens tomorrow is determined by what we do today, you’ll love working at Honeywell. 
\r\nThe future is what we make it. So, join us and let’s do this together.

\r\n\r\n

Honeywell is an equal-opportunity employer, and we support a diverse workforce. Qualified applicants will be considered without regard to age, race, creed, color, national origin, ancestry, marital status, affectional or sexual orientation, gender identity or expression, disability, nationality, sex, religion, or veteran status. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Honeywell Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/J6zf3SXyzRDFLBx9ol13gcVMMkjxsCgMOo7JfVezG2k/1564371375/public/styles/scale_and_crop_center_80x80/public/2019-05/Honeywell_Logo_0.png" - }, - "application_url": "https://careers.honeywell.com/us/en/job/req436937/Graduate-Software-Engineer?utm_source=social&utm_medium=linkedin&utm_campaign=24_pacific_req436937", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/honeywell-australia-and-new-zealand/jobs-internships/graduate-software-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee48f" - }, - "title": "2025 Applied Scientist Intern (Machine Learning, Recommender Systems)", - "description": "Seeking current PhD students specialising in Recommender Systems to apply for our 6-month internship!", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2794872/2025-applied-science-intern-machine-learning-recommender-systems-amazon-international-machine-learning", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-applied-scientist-intern-machine-learning-recommender-systems" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-02-21T05:14:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": ["Computer Science", "Information Technology", "Science"], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee490" - }, - "title": "Recruitment Sales Consultant", - "description": "Are you an ambitious individual excited for a merit-based career trajectory with uncapped financial incentives in your sales career?\r\n\r\nThe ideal candidate will have a proven track record of success in sales / business development (1-2 year of experience), excellent communication and negotiation...", - "company": { - "name": "Phaidon International Hong Kong", - "website": "https://au.gradconnection.com/employers/phaidon-international-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/fcbb7064-1383-4338-b29b-d083a8dd1630-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-hk/jobs/phaidon-international-hong-kong-recruitment-sales-consultant-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee491" - }, - "title": "Graduate Engineer - Brisbane", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in industrial automation projects from start to finish, including design documentation and programming.
  • \r\n\t
  • Engage in PLC, RTU, and SCADA programming, factory acceptance testing, and on-site commissioning.
  • \r\n\t
  • Assist with technical delivery and execution of projects.
  • \r\n\t
  • Collaborate with junior and senior engineers in a team environment.
  • \r\n\t
  • Support Project Managers and Technicians with project assistance.
  • \r\n\t
  • Aid Estimators in developing proposals and tender responses.
  • \r\n\t
  • Maintain confidentiality and prioritize tasks to meet deadlines.
  • \r\n\t
  • Communicate effectively with management and internal staff.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Be an undergraduate or recent graduate in Electrical or Mechatronic Engineering & Computer Science.
  • \r\n\t
  • Have knowledge of PLC, SCADA, and HMI systems (desirable).
  • \r\n\t
  • Understand electrical circuit fundamentals.
  • \r\n\t
  • Be proficient in report and technical writing.
  • \r\n\t
  • Possess high computer competency, especially with MS Office.
  • \r\n\t
  • Demonstrate excellent communication and interpersonal skills.
  • \r\n\t
  • Hold an Australian driver's license and the right to work in Australia.
  • \r\n\t
  • Be able to obtain a working with Children check.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive remuneration is offered, along with a professional and safe working environment. SAGE supports cultural diversity and equal opportunity.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Opportunities for professional growth through on-the-job learning and ongoing mentoring are provided.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement in a dynamic environment, with exposure to a wide range of industries and project sizes.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your resume and cover letter addressing the responsibilities and skills required for the role.

\r\n\r\n

Report this job

", - "company": { - "name": "SAGE Automation Australia", - "website": "https://au.prosple.com/graduate-employers/sage-automation-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/zaBRfgA4zWFMX3RSQ_VXZsM3cQXHJYmlQcL9mR9SX7Y/1736340553/public/styles/scale_and_crop_center_80x80/public/2025-01/SAGE%20Automation%20Australia%20Logo.png" - }, - "application_url": "https://www.gotosage.com/wp-content/plugins/bullhorn-oscp/#/jobs/2209", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sage-automation-australia/jobs-internships/graduate-engineer-brisbane" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee492" - }, - "title": "Affirmative Measures Indigenous Graduate Program", - "description": "

Who we are

\r\n\r\n

The Australian Government has an ambitious agenda to support and enable the self-determination and aspirations of First Nations Peoples, and The National Indigenous Australians Agency (NIAA) is a key partner in fulfilling the commitments to elevate First Nation’s voices, and ensure First Nations people have a say in the decisions that affect them. 

\r\n\r\n

We are committed to implementing the Government’s policies and programs to provide the greatest benefit to all First Nations peoples. Our priorities are informed by the Government’s commitment to work in genuine partnership with First Nations peoples for better outcomes. 

\r\n\r\n

We support the Minister and Assistant Minister for Indigenous Australians, as well as the Special Envoy for Reconciliation and the Implementation of the Uluru Statement from the Heart. 

\r\n\r\n

We have a large national footprint with approximately 1,300 passionate employees spread across offices in remote, regional and urban locations. This enables us to work closely and respectfully with First Nations communities, organisations, peak bodies, all levels of government and other parties to support the design and delivery of policies and programs that reflect the uniqueness of each community and their changing priorities. Our work allows us to value-add in place, including in response to emerging priorities, pandemics, and natural disasters. 

\r\n\r\n

We’re driven by an understanding that valuing and sustaining the world’s oldest living cultures, strengthens the whole nation. 

\r\n\r\n

NIAA’s shared Values and Behaviours underpin how we work, and how we do business with our partners and stakeholders. We are committed to adapting and evolving the ways we work to make sure we deliver the strongest outcomes, and we make these changes together.

\r\n\r\n

What we do 

\r\n\r\n

We are responsible for:

\r\n\r\n
    \r\n\t
  • Implementation of the Uluru Statement from the Heart – Voice, Treaty and Truth.
  • \r\n\t
  • Leading the implementation of the National Agreement on Closing the Gap
  • \r\n\t
  • Developing policies and delivering programs with and for First Nations Peoples
  • \r\n\t
  • Working with and advising other government agencies on Indigenous affairs matters
  • \r\n\t
  • Champion reconciliation throughout Australia.
  • \r\n
\r\n\r\n

About the Role

\r\n\r\n

The NIAA Graduate Program has been designed for recent graduates to develop the skills, capabilities and networks to progress in their APS careers while contributing to implementing the Government’s priorities to provide the greatest benefit to all First Nations people.

\r\n\r\n

It’s an incredibly exciting time to be joining the NIAA as we work in partnership to enable the self-determination and aspirations of First Nations people and communities. The Agency is unique, providing endless opportunities and great diversity in our roles, from policy, programs, engagement, grants administration and corporate, and much more.

\r\n\r\n

As a graduate, you will assist the Agency in providing advice to the Minister and Assistant Minister for Indigenous Australians, as well as the Special Envoy for Reconciliation and the Implementation of the Uluru Statement from the Heart on matters affecting Aboriginal and Torres Strait Islander peoples and communities.
\r\n
\r\nYou will help develop, implement and evaluate policies and programs while working closely with Aboriginal and Torres Strait Islander communities, state and territory governments and Indigenous organisations to make sure the policies and programs address the individual needs of each community.
\r\n
\r\nKey facts about the program include:

\r\n\r\n
    \r\n\t
  • Positions are based in Brisbane, Canberra, Darwin and Perth.
  • \r\n\t
  • Choose from our Policy and Program Stream, Corporate and Enabling Stream and Operations and Delivery Stream.
  • \r\n\t
  • The NIAA Graduate Program runs for 12 months and consists of three rotations through various work areas with a potential rotation in one of our metropolitan, regional or remote locations.
  • \r\n\t
  • The Program gives graduates access to extensive professional learning and development, particularly ongoing cross-cultural learning through NIAA’s ‘Footprints Program’, as well as some fantastic personal development opportunities.
  • \r\n\t
  • NIAA Graduates receive dedicated pastoral care and a distinctive support program.
  • \r\n\t
  • Generous relocation assistance is available.
  • \r\n
\r\n\r\n

Our graduates start as full-time ongoing employees at the APS 4 level ($77,558 + 15.4% superannuation).

\r\n\r\n

On successful completion of the program, you will be eligible for advancement to the APS 5 level and also have the opportunity to be assessed for advancement to the APS 6 level.

\r\n\r\n

Policy and Program Stream

\r\n\r\n

At the NIAA we work with First Nation’s communities and across the public service to implement policies and programs on the ground. The Policy and Program stream will allow you to work in various strategic, social and economic policy and program areas of the Agency.

\r\n\r\n

Our Policy and Program Stream has opportunities in:

\r\n\r\n
    \r\n\t
  • closing the gap, culture and heritage, early years and education, families and safety, health and wellbeing, housing and infrastructure, employment, land and environment, business and economics, constitutional recognition & truth telling and much more.
  • \r\n
\r\n\r\n

This stream is for graduates who are inquisitive, flexible and keen to contribute and learn about policy and program design, development, implementation and evaluation.

\r\n\r\n

Operations and Delivery Stream 

\r\n\r\n

We offer challenging, interesting and stimulating work, engaging across all levels of government and working directly with the community and other invested stakeholders. The Operations and Delivery stream works to engage with First Nations communities, leadership and service providers to deliver outcomes in line with community aspirations on behalf of the Australian Government.

\r\n\r\n

Our Operations and Delivery Stream has opportunities in:

\r\n\r\n
    \r\n\t
  • Community engagement and consultation, regional strategy and policy including local and place-based initiatives, data and evaluation, grant design, administration and reporting of the Indigenous Advancement Strategy.
  • \r\n
\r\n\r\n

The stream is aligned to graduates that are interested in working in our regions to work on implementing and delivering range of government initiatives and commitments.

\r\n\r\n

Corporate and Enabling Stream

\r\n\r\n

For the NIAA to implement policy and programs to benefit First Nations peoples our staff need the best capabilities and support to succeed. Our staff are supported by the Agency’s corporate and enabling functions which are integral to the achievement of the NIAA’s key priorities.

\r\n\r\n

Our Corporate and Enabling stream has opportunities in:

\r\n\r\n
    \r\n\t
  • human resource management, legal services, governance and communications, financial management, business operations, data and digital, evaluation, IT strategy, program compliance and fraud office of the CEO, transformation management and portfolio bodies.
  • \r\n
\r\n\r\n

The Corporate and Enabling stream is for individuals who are excited by the opportunity to provide high quality professional services to support the work of the Agency.

\r\n\r\n

Our Ideal Candidate

\r\n\r\n

Our graduate roles are fast-paced, dynamic and present an exciting opportunity for someone with curiosity and a willingness to learn.

\r\n\r\n

We are seeking candidates that want to work at the NIAA because they are passionate and want to make a real difference by contributing  to work that ensures Aboriginal and Torres Strait Islander peoples are heard, recognised and empowered.

\r\n\r\n

Ideally graduates will embrace all opportunities as you navigate through the Agency to better understand your strengths, capabilities and interests.

\r\n\r\n

To be successful in the NIAA Graduate Program you:

\r\n\r\n
    \r\n\t
  • are a committed, energetic and curious person who embodies NIAA’s values and behaviours
  • \r\n\t
  • have an awareness of opportunities and challenges affecting Aboriginal and/or Torres Strait Islander peoples and a commitment to developing your ongoing cultural competency
  • \r\n\t
  • have strong communication and interpersonal skills
  • \r\n\t
  • have demonstrated sound judgment, innovation and problem solving skills
  • \r\n\t
  • are agile and resilient, making the most of the opportunities as they present.
  • \r\n
\r\n\r\n

Our shared values and behaviours underpin how we work. To make a significant contribution to an Australia that respects Aboriginal and Torres Strait Islander cultures and peoples with fairness in economic and social participation. We are an inclusive and welcoming Agency with a culture that positions us with the right capability, people, passion and pride to make a difference.

\r\n\r\n

NIAA employees need to embody our shared values and behaviours  which are:

\r\n\r\n
    \r\n\t
  • We respect multiple perspectives
  • \r\n\t
  • We are authentic
  • \r\n\t
  • We are professional and act with integrity
  • \r\n\t
  • We invest in each other’s success
  • \r\n\t
  • We deliver with purpose
  • \r\n
\r\n\r\n

We have an ambitious reform agenda ahead of us. So if you are someone that wants to leave your mark on the public service and be able to point to an accomplishment that has lasting impacts for the Australian people, NIAA is the place for you.

\r\n\r\n

What We Offer

\r\n\r\n

Our Purpose: We have exciting work with real purpose.  We support the aspirations of First Nations Peoples—it’s our driving force. Our work is transformational, you can follow your passion, shape your career and make a difference.

\r\n\r\n

Our People: We value our employees —they’re the heart of our Agency. Employees are supported and empowered to build their career. We are a diverse, inclusive and passionate workforce with an emphasis on continuous cultural learning and tailored professional development.

\r\n\r\n

Our Partnerships:  Our work relies on strong and trusted relationships — we build partnerships by being authentic, sharing information and giving honest feedback. We collaborate with communities across Australia, all levels of government and many other invested stakeholders.

\r\n\r\n

Did you know?

\r\n\r\n

The 2026 NIAA Graduate program has both an affirmative measures disability and affirmative measures Indigenous recruitment process. What does this mean? Affirmative measures are vacancies designed to address the under-representation of people who identify as having disability or as Aboriginal and/or Torres Strait Islander in the Australian Public Service (APS).

\r\n\r\n

Identified Position

\r\n\r\n

These positions are Identified which signifies that the roles have a strong involvement in issues relating to Aboriginal and Torres Strait Islander people.
\r\n
\r\nThese positions are required to liaise with Aboriginal and Torres Strait Islander people, communities and service providers. You will require cultural competency, including:

\r\n\r\n
    \r\n\t
  • understanding of the issues affecting Aboriginal and/or Torres Strait Islander peoples
  • \r\n\t
  • demonstrated ability to communicate sensitively and effectively with Aboriginal and/or Torres Strait Islander peoples
  • \r\n\t
  • demonstrated capability and commitment to continue to develop cultural competency
  • \r\n
\r\n\r\n

Employment Type

\r\n\r\n

This role is being advertised as both ongoing and non-ongoing, with the employment type to be determined in negotiation with the preferred candidate and the NIAA delegate.

\r\n\r\n

Where a non-ongoing specified term is offered, this would be for an initial period of up to 18 months, with possibility of extension up to a maximum period of three years. 

\r\n\r\n

A non-ongoing offer may result in conversion to an ongoing offer of employment, however this must occur with 12 months (from the opening date of this advertisement).

\r\n\r\n

Eligibility

\r\n\r\n

To be eligible for this position you must:

\r\n\r\n

The filling of this vacancy is intended to constitute an Affirmative Measure — Indigenous position under section 8(1) of the 'Racial Discrimination Act 1975'. This vacancy is only available to Aboriginal and/or Torres Strait people who: 

\r\n\r\n
    \r\n\t
  • are of Aboriginal and/or Torres Strait Islander descent; and
  • \r\n\t
  • identify as Aboriginal and/or Torres Strait Islander; and
  • \r\n\t
  • are accepted by their community as being Aboriginal and/or Torres Strait Islander.
  • \r\n
\r\n\r\n

To meet eligibility requirements, applicants will need to provide the following evidence:

\r\n\r\n
    \r\n\t
  • a letter signed and executed by the Chairperson of an incorporated Indigenous organisation confirming that you are recognised as an Aboriginal and/or Torres Strait Islander person; or
  • \r\n\t
  • a confirmation of Aboriginal and/or Torres Strait Islander descent form executed by an Indigenous organisation; or
  • \r\n\t
  • a statutory declaration made by you or a member of an Indigenous Service Provider confirming that you are recognised and an Aboriginal and/or Torres Strait Islander person
  • \r\n
\r\n\r\n

To be considered for the NIAA Graduate program the following eligibility requirements apply: 

\r\n\r\n
    \r\n\t
  • Have completed at least a three-year undergraduate bachelor degree obtaining a credit average within the last eight years. All degrees must be complete by 31 December 2025 and be recognised in Australia.
  • \r\n\t
  • Be able to obtain and maintain an Australian Government security clearance to a minimum of Baseline level.
  • \r\n\t
  • Be an Australian citizen by 30 June 2025. You will need to provide evidence to verify impending citizenship.
  • \r\n
\r\n\r\n

The successful candidates will be assessed through our pre-employment screening checks, such as an Australian Criminal History Check, and will be subject to a probation period unless already employed in the APS and has already served a probation period.

\r\n\r\n

Positions are located in Brisbane, Canberra, Darwin and Perth you must also be willing to relocate to participate in the program.

\r\n\r\n

Apply/Register now!

\r\n\r\n

If this sounds like the opportunity you are looking for, we want to hear from you! Submit an online application by 22 April 2025.

\r\n\r\n

To be eligible for employment with NIAA, applicants must be an Australian Citizen at the time of the vacancy closing.

", - "company": { - "name": "National Indigenous Australians Agency (NIAA)", - "website": "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa", - "logo": "https://connect-assets.prosple.com/cdn/ff/OTPxfq07P3Q0axb7hNQnDYp5AIrHdL-Wr8YGc27goO4/1580832362/public/styles/scale_and_crop_center_80x80/public/2020-02/Logo-NIAA-745x745-2020.jpg" - }, - "application_url": "https://niaa.nga.net.au/cp/index.cfm?event=jobs.home&CurATC=NIAA&CurBID=AC113B92%2DCCAC%2D799D%2DE533%2DAD7111CC408D&persistVariables=CurATC%2CCurBID&rmuh=E1C0ED99AC06199C0E3BE1BDECFDA48DD471FE16", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/national-indigenous-australians-agency-niaa/jobs-internships/affirmative-measures-indigenous-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-24T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NT", "QLD", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee493" - }, - "title": "Technology Graduate Program", - "description": "

We’re transforming the logistics industry for the better with our innovation in technology. Partner with tech giants on our artificial intelligence and machine learning capability or get involved in our world-first integrated warehouse and transport systems. Working with us means you’ll help innovate on cutting-edge projects that will shape the future of logistics. Use your IT experience to create solutions that are industry and world-first. At Linfox, we believe that together, anything’s possible.

\r\n\r\n

Create a career to be proud of. Expect all this and more when you join us at Linfox.

\r\n\r\n

How much will your career deliver?

\r\n\r\n

Imagine being part of a 24/7, 365-day-a-year industry that delivers everything that makes life run smoothly. That’s what we do at Linfox – and on our 24-month Graduate Program, you’ll discover just how much a career in logistics can deliver for you.

\r\n\r\n

More than just trucks and warehouses

\r\n\r\n

Linfox is Asia Pacific’s largest privately-owned logistics company. Every day our multinational team delivers food, medicines and resources in 10 countries. With over 200 sites across Australia and New Zealand, employing more than 24,000 people across the Asia Pacific, you’ll see what it’s like to work with an iconic Australian business.

\r\n\r\n

Linfox is engaged in long-term partnerships with leading national and international corporations, taking care of their transport, supply chain management and logistics requirements. With continual investment in our productivity to increase the competitiveness of our customers, you will see that we are involved in much more than just trucks and warehouses.

\r\n\r\n

What’s in the box?

\r\n\r\n

You can look forward to a first-class grounding in one of the fastest-growing industries, including:

\r\n\r\n
    \r\n\t
  • Rotations at different sites across Australia
  • \r\n\t
  • A buddy during the program
  • \r\n\t
  • A wide range of career development opportunities and ongoing support
  • \r\n\t
  • Work with leaders in the logistics industry to keep the world moving
  • \r\n\t
  • Learning and development opportunities
  • \r\n\t
  • Exposure to the entire supply chain network
  • \r\n\t
  • A company-wide commitment to safety
  • \r\n
\r\n\r\n

What do I need to apply?

\r\n\r\n

You will need to:

\r\n\r\n
    \r\n\t
  • Have you completed your undergraduate degree within the last 3 years, or currently completing it.
  • \r\n\t
  • Be an Australian citizen or permanent resident (including New Zealand citizens) at the time you apply.
  • \r\n\t
  • Have a current driver’s licence and access to a vehicle when you start.
  • \r\n\t
  • Be excited about the opportunities in the logistics industry.
  • \r\n
\r\n\r\n

Can you outfox the competition?

\r\n\r\n

We are looking for the technology leaders of tomorrow, who have what it takes to keep us ahead of the competition. If you are resourceful, flexible and looking for a career that can take you places, we want to hear from you.

\r\n\r\n

As a technology graduate, you’ll gain exposure to a wide range of business areas including cyber-security, transport technology, network design, continuous improvement, project management, digital freight networks and warehousing solutions.

\r\n\r\n

Sound like you? Pre-register now and we will notify you once this job opens.

", - "company": { - "name": "Linfox ANZ", - "website": "https://au.prosple.com/graduate-employers/linfox-anz", - "logo": "https://connect-assets.prosple.com/cdn/ff/VQTBLT_A4Ex4XHp1tywQPueM6IXMdq-bZIrnYq-1ylM/1639140502/public/styles/scale_and_crop_center_80x80/public/2020-02/Logo-Linfox-200x200-2020.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/linfox-anz/jobs-internships/technology-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee494" - }, - "title": "Engineering Graduate Program", - "description": "
    \r\n\t
  • Our people work flexibly. Enjoy a mix of team time in our offices or tech hubs across Australia, balanced with working from home (hoodies optional).
  • \r\n\t
  • You’ll experience a world-class rotational Graduate Program, tailored to the career pathway you choose and designed to support you as you launch your career.
  • \r\n\t
  • We have great work perks (think gym discounts and reward points to put towards your next holiday). And we’re going to have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n
    \r\n\t
  • Contribute to Australia’s #1 banking app using the latest tech and determine how 17 million+ customers access their money.
  • \r\n\t
  • You’ll detect and respond to rapidly changing threats - Your work will protect our customers and keep millions of people safe for generations to come.
  • \r\n
\r\n\r\n

You’ll be at the forefront of innovation at Australia’s largest bank, which has the country's biggest community of tech grads. Your analytical mindset and adaptability will have you detecting and responding to the rapidly changing tech ecosystem. Your problem-solving abilities will have you working on technologies that haven’t even been invented yet, reimagining products for our customers.

\r\n\r\n

Throughout your selected program, you’ll get to be part of hackathons, gain certifications and attend industry-leading events. 

\r\n\r\n

See yourself in our team

\r\n\r\n

With this career pathway, you have three programs to choose from. Being part of the Tech Graduate Program means you’ll: 

\r\n\r\n
    \r\n\t
  • Be empowered to do your best work while working on real-life projects from day one
  • \r\n\t
  • Gain access to world-class technical and development resources
  • \r\n\t
  • Be surrounded by colleagues and leaders who’ll support your personal and professional growth
  • \r\n\t
  • Be supported to give back through volunteering opportunities
  • \r\n
\r\n\r\n

Engineering – Sydney, Melbourne & Perth

\r\n\r\n

We're building tomorrow’s bank today, we’re discovering new technologies on the horizon that aren’t invented yet and reimagining products for our customers. You’ll be responsible for the world-leading application of technology across every single aspect of CommBank – from innovative product platforms for our customers to essential tools within our business. You’ll form part of the engine room behind Australia’s number one banking app, the Australian-first Cardless Cash, Spend Tracker, Benefits Finder and Step Pay. The possibilities for our tech cohort are ever-expanding. You'll gain exposure in Data (Machine Learning/Artificial Intelligence), Software Engineering (Web/Mobile/Fullstack), Site Reliability (SRE) and Security.

\r\n\r\n

When you finish the program, we'll work with you to understand your career goals and determine your strengths to position you in a role that best suits you and the business.

\r\n\r\n

We’re interested in hearing from you if:

\r\n\r\n
    \r\n\t
  • You're a tech wizard who’s passionate about innovation and keen to learn new tech stacks, languages and frameworks;
  • \r\n\t
  • You’re a curious problem solver who loves simplifying processes;
  • \r\n\t
  • You can put yourself in the customer’s shoes & imagine better experiences for them.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a Tech degree, your skills may align with one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian/NZ citizen or Australian permanent resident at the time of your application;
  • \r\n\t
  • In the final year of your overall university degree, or have completed your final subjects within the last 24 months; and
  • \r\n\t
  • Achieving at least a credit average across your overall degree;
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/engineering-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee495" - }, - "title": "Graduate Software Engineer", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Develop and maintain software applications.
  • \r\n\t
  • Collaborate with cross-functional teams to deliver high-quality solutions.
  • \r\n\t
  • Participate in code reviews and testing processes.
  • \r\n\t
  • Assist in the design and implementation of new features.
  • \r\n\t
  • Support the team in troubleshooting and resolving technical issues.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • A degree in Computer Science or a related field.
  • \r\n\t
  • Strong programming skills in languages such as Java, Python, or C++.
  • \r\n\t
  • Excellent problem-solving abilities and attention to detail.
  • \r\n\t
  • Effective communication and teamwork skills.
  • \r\n\t
  • A passion for technology and continuous learning.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary package with performance bonuses. Comprehensive healthcare coverage and flexible working arrangements.

\r\n\r\n

Training & development

\r\n\r\n

Access to professional development programs and mentorship opportunities to enhance skills and career growth.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for advancement into senior engineering roles, with potential for leadership positions within a few years.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application with a resume and cover letter detailing your qualifications and interest in the role.

\r\n\r\n

Report this job

", - "company": { - "name": "NetApp Australia", - "website": "https://au.prosple.com/graduate-employers/netapp-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/sTlB3sdBNxTkAfm4ybdVjhNURhbFtOrB890RY1tnuBA/1736843832/public/styles/scale_and_crop_center_80x80/public/2025-01/logo-netapp-australia-450x450-2024.png" - }, - "application_url": "https://careers.netapp.com/job/canberra/graduate-software-engineer/27600/75668233360", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/netapp-australia/jobs-internships/graduate-software-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee496" - }, - "title": "AE2 Information Management - Traineeship", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value. Find out more about ASIOs commitment to diversity and inclusion on our website.

\r\n\r\n

The opportunity

\r\n\r\n

Are you seeking a career at an intelligence agency where you can contribute and make a difference to the security of Australia? Do you have an interest in a career in Information Management? 

\r\n\r\n

ASIO is offering an exciting opportunity to join our Information Management (IM) – Traineeship Program, commencing early 2026. As a trainee, you will be supported to complete formal tertiary qualifications in Information Management, as well as receive on-the-job mentoring and professional development opportunities.

\r\n\r\n

The program will showcase the breadth of work that ASIO undertakes and set you on a pathway for a career with purpose.

\r\n\r\n

Trainees commence at the ASIO Employee Level 2 (APS 2 equivalent), progressing to an ASIO Employee Level 3 (APS 3 equivalent) after the first 12 months having completed the required program competencies, and promoted to ASIO Employee Level 4 (APS 4 equivalent) on successful completion of the program. 

\r\n\r\n

During the 2-year program, you will:

\r\n\r\n
    \r\n\t
  • Move through various technical teams within the Information Management directorate to build your networks and learn new skills.
  • \r\n\t
  • Receive on-the-job training regarding information management policies, practices and systems.
  • \r\n\t
  • Be supported throughout the program by a dedicated mentor and have access to a range of organisational support mechanisms
  • \r\n
\r\n\r\n

Additionally, you will learn how to:

\r\n\r\n
    \r\n\t
  • Manage the full lifecycle of information.
  • \r\n\t
  • Communicate and plan in a work environment.
  • \r\n\t
  • Use numerous ASIO information systems.
  • \r\n
\r\n\r\n

Role responsibilities 

\r\n\r\n

As an Information Management Trainee, you will:

\r\n\r\n
    \r\n\t
  • Assist with the facilitation and management of ASIO's incoming electronic correspondence and document distribution.
  • \r\n\t
  • Assist with the facilitation and management of ASIO’s incoming and outgoing physical correspondence and courier services.
  • \r\n\t
  • Use tools and technologies to create, organise, store, retrieve, share, preserve or destroy information and data in accordance with organisational policies and procedures.
  • \r\n\t
  • Assist with the management of user access and classify information appropriately.
  • \r\n\t
  • Assist others to follow appropriate information and data management behaviours.
  • \r\n\t
  • Follow information and data management procedures to meet legislative requirements.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

We invite applications from people with the following attributes:

\r\n\r\n
    \r\n\t
  • An interest in starting a career as an Information Management professional.
  • \r\n\t
  • A willingness to learn and assist others.
  • \r\n\t
  • Enthusiasm and approaches work with a positive attitude.
  • \r\n\t
  • Works collaboratively to contribute to team goals.
  • \r\n\t
  • Strong attention to detail.
  • \r\n\t
  • Excellent communication skills.
  • \r\n
\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • Significant training and development opportunities.
  • \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance.
    \r\n\tPlease note: Due to our unique working environment, work from home options are generally not available. During the traineeship, part-time working arrangements may be considered on a case-by-case basis and may require extension of the program in order to be accommodated.
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Tailored mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment for candidates to participate within all stages of the selection process. These opportunities may include reasonable adjustment to assessment methodologies to enable full participation. 

\r\n\r\n

Please let us know if you require any additional assistance or reasonable adjustments during any stage of the recruitment process in order to fully participate in the recruitment process or the workplace. 

\r\n\r\n

Location

\r\n\r\n

The Information Management (IM) – Traineeship Program is Canberra-based and applicants must be willing to relocate. Relocation assistance is provided to successful candidates.

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch, addressing the following questions (no more than 500 words):
    \r\n\tWhy do you consider ASIO’s Information Management (IM) – Traineeship Program to be a good career opportunity for you? In your response describe:
    \r\n\t     1. Why are you applying?
    \r\n\t    2. What are you looking for out of the traineeship?
    \r\n\t    3. What do you think you could bring to the Organisation?
  • \r\n\t
  • An up-to-date CV, no more than 2 pages in length.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n
\r\n\r\n

*Your written pitch should reference ASIO’s People Capability Framework and with consideration of the role description and classification level you are applying for.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.
\r\n
\r\nClosing date and time

\r\n\r\n

Monday 3 March, 5:00pm AEDT

\r\n\r\n

No extensions will be granted and late applications will not be accepted. 

\r\n\r\n

The Recruitment Selection Process – what to expect

\r\n\r\n

We thank all applicants for their interest in applying for the Information Management (IM) - Traineeship Program. Please be advised that our selection process is rigorous and extensive. 

\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. The stages themselves may include; application submission, eligibility checks, online testing, skills-based assessment and panel discussion.

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

We ask all applicants for their patience throughout the process. Once complete, we will notify unsuccessful candidates but will not provide feedback on any aspect of the selection process.

\r\n\r\n

The Recruitment Selection Process – Timeframes

\r\n\r\n

As we are recruiting for an early 2026 intake, candidates can expect the following timeframes for the recruitment selection process:

\r\n\r\n
    \r\n\t
  • Program advertised – from January 2025 to March 2025.
  • \r\n\t
  • Assessment Centers – May 2025.
  • \r\n\t
  • Notification to candidates – June 2025.
  • \r\n\t
  • Program commences – early 2026.
  • \r\n
\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for the continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit our website.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.viewFullSingle?in_organid=12852&in_jnCounter=221300839&in_version=&in_jobDate=All&in_jobType=&in_residency=&in_graphic=&in_param=&in_searchbox=YES&in_recruiter=&in_jobreference=&in_orderby=&in_sessionid=&in_navigation1=&in_summary=S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ae2-information-management-traineeship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-03T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee497" - }, - "title": "Animator Placement", - "description": "

About the placement 

\r\n\r\n

This internship is with DesignStreet and is facilitated by the CSIRO’s Generation STEM Links program. 

\r\n\r\n

Using your skills in video animation, compilation and editing you will work with an established company to develop boutique offerings for clients. DesignStreet is searching for someone who can bring new ideas and knowledge to help them better establish their animation products. You will be supported by an experienced team and have the opportunity to fully flex your creative muscles and take ownership over projects. 

\r\n\r\n

Work arrangements 

\r\n\r\n
    \r\n\t
  • Start date: February, 2025
  • \r\n\t
  • Working arrangement: Part time for 200 hours over 3 months
  • \r\n\t
  • Remuneration: $25/hour plus super on a temporary contract with the Industry Partner, DesignStreet
  • \r\n\t
  • Location: On site - Sydney, NSW
  • \r\n
\r\n\r\n

Desired capabilities 

\r\n\r\n
    \r\n\t
  • Experience creating 2D and 3D animations
  • \r\n\t
  • Experience using CAD
  • \r\n\t
  • Experience using Adobe Creative Suite
  • \r\n\t
  • High attention to detail
  • \r\n\t
  • Willing to try new ideas
  • \r\n\t
  • Can work collaboratively
  • \r\n\t
  • Creativity and innovation come naturally to you
  • \r\n
\r\n\r\n

Requirements 

\r\n\r\n
    \r\n\t
  • Must be an Australian citizen or permanent resident.
  • \r\n\t
  • Must be in your penultimate or final year of an undergraduate qualification.
  • \r\n
\r\n\r\n

About the Industry Partner 

\r\n\r\n

DesignStreet is an experienced marketing and design agency based in Sydney. Our agency offers effective, high-quality work for blue-chip Australian and International clients and has done so for the past 25 years. 

\r\n\r\n

We exist to create solutions for our customers' businesses and marketing problems. We work for major companies including American Express, Nespresso, DELL, KIA, VOCUS, NBN and the NSW Government. 

\r\n\r\n

Apply Here 

\r\n\r\n

If you are interested in this internship, please submit your EOI and CV online through the Student Application webform and please specify CODE0037b. Click the :Apply on emploery site\" button. 

", - "company": { - "name": "CSIRO Generation STEM", - "website": "https://au.prosple.com/graduate-employers/csiro-generation-stem", - "logo": "https://connect-assets.prosple.com/cdn/ff/fmwISdYzUOcuQdKvcR0DJ7k4TgDth1B9NrkR4jNUt6k/1694151851/public/styles/scale_and_crop_center_80x80/public/2023-09/1694151849910_CSIRO%20Logo.png" - }, - "application_url": "https://csiroevaluation.qualtrics.com/jfe/form/SV_3l38Je8zalotaS2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/csiro-generation-stem/jobs-internships/animator-placement-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-29T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Creative Arts", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee498" - }, - "title": "Technology Graduate - Sydney", - "description": "

We're 100,000+ people with diverse experiences, perspectives, and ideas. It is our diversity that brings us closer together and helps us make a difference. 

\r\n\r\n

What our Program offers:

\r\n\r\n

End-to-end support network through:

\r\n\r\n
    \r\n\t
  • Young professional community
  • \r\n\t
  • buddy program
  • \r\n\t
  • Monthly team meetings and weekly 1:1 catchup
  • \r\n\t
  • Graduate program manager providing support throughout the program journey
  • \r\n\t
  • 1-week Graduate onboarding program (Induction) with the opportunity to meet senior leaders throughout the organisation
  • \r\n
\r\n\r\n

Rotations may include areas such as: 

\r\n\r\n
    \r\n\t
  • Network Rollout (5G/4G) project delivery
  • \r\n\t
  • Network integration & optimisation
  • \r\n\t
  • Network Virtualisation
  • \r\n\t
  • Orchestration and Assurance
  • \r\n\t
  • Cloud Software and Services
  • \r\n\t
  • Enterprise architecture and IT
  • \r\n\t
  • New feature introduction (and opportunity to work on some of the world’s firsts!!)
  • \r\n
\r\n\r\n

You’ll manage and contribute to significant and meaningful projects whilst expanding your skills, challenging yourself and taking momentous steps in building your career. You will be supported through a structured learning and development program, project and team buddies and various on-job activities. 

\r\n\r\n

About the Opportunity
\r\n  
\r\nCommencing in February 2026, we have multiple Grad positions available in Ericsson. 

\r\n\r\n

What you will need to be successful:

\r\n\r\n

Completed BA/MA/MSc/PHD studies in any of the following disciplines: 

\r\n\r\n
    \r\n\t
  • Information Technology 
  • \r\n\t
  • Computer Science 
  • \r\n\t
  • ICT / Computer / Software Engineering 
  • \r\n\t
  • Data Analytics 
  • \r\n\t
  • Engineering 
  • \r\n\t
  • Double degree with commerce/finance/project management 
  • \r\n\t
  • Eagerness to learn and grow with the business. 
  • \r\n
\r\n\r\n

Highly Regarded Experience:

\r\n\r\n
    \r\n\t
  • Experience installing operating systems;
  • \r\n\t
  • Experience with virtual machines;
  • \r\n\t
  • Exposure to containerization;
  • \r\n\t
  • Familiarity with automation tools;
  • \r\n\t
  • Cloud experience or exposure;
  • \r\n\t
  • Programming experience in VBA, Python, SQL,Java;
  • \r\n\t
  • System experience with Cisco, Juniper, Wireshark, PSpice, LTspice;
  • \r\n\t
  • Knowledge and understanding of mobile technologies such as LTE, 5G and its business usecases;
  • \r\n\t
  • Experience with switches, routers;
  • \r\n\t
  • Previous work experience in a similar field advantageous.
  • \r\n
\r\n\r\n

Important elements of the selection criteria are:

\r\n\r\n
    \r\n\t
  • Must be an Australian or New Zealand citizen or have permanent resident status;
  • \r\n\t
  • High-level academic achievement (academic transcripts or summary of results to date must be included);
  • \r\n\t
  • Evidence of leadership roles and achievements at school, University or in outside interests would be highly regarded;
  • \r\n\t
  • Candidates must be completing their initial degree or honours level qualification by the end of 2025. Candidates completing higher-level qualifications will also be considered.
  • \r\n
\r\n\r\n

This is your opportunity to shape your career and shape our industry!

", - "company": { - "name": "Ericsson", - "website": "https://au.prosple.com/graduate-employers/ericsson", - "logo": "https://connect-assets.prosple.com/cdn/ff/5W4kyxFkpXy1W9DbxpatJvG_BG9f-2KZUeTB9N4pnRs/1569814891/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-Ericsson-120x120-2019.jpg" - }, - "application_url": "https://jobs.ericsson.com/job-invite/746869/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ericsson/jobs-internships/technology-graduate-sydney-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee499" - }, - "title": "Data/Statistics Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/datastatistics-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49a" - }, - "title": "Software Development Engineer in Test Intern - TikTok LIVE", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

The TikTok Live QA team has been focusing on the high quality and the best user experience of TikTok Live products. Our team uses advanced autotesting tools and comprehensive quality assurance methods to continuously control the delivery of products. We are looking for passionate SDET engineers to join this fast growing industry.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.
\r\nApplications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Be responsible for the entire system testing process for the client side, server side and web side of Live product, including but not limited to: analysis, designing and executing test plans and cases, and conducting defect tracking.
  • \r\n\t
  • Work closely with Developers, Product and Project Managers to test and validate new features with appropriate testing tools and testing protocols.
  • \r\n\t
  • Participate in project management, risk management, and process management tasks to improve the quality and efficiency of requirements delivery.
  • \r\n\t
  • Help implement test tools and collaborate with automation/performance test teams to build up internal tools/frameworks/platforms to make the team more productive.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Good computer foundation, familiar with Java/Python/Objective-C/Golang, experience in related project development.
  • \r\n\t
  • Abilities to design and execute complete testing plans for complex projects.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Familiar with web/server/automation architecture, understanding at least one application framework.
  • \r\n\t
  • Having systematic work experience in automated testing, performance testing, and quality system construction.
  • \r\n\t
  • Excellent problem solving skills, ability to coordinate with different local and global teams.
  • \r\n\t
  • Adapt well to changes, collaborate effectively with teams, and the ability to multitask on various projects.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7398438822181292315?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/software-development-engineer-in-test-intern-tiktok-live-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49b" - }, - "title": "Product Manager Graduate - TikTok Campaign Platform", - "description": "

Responsibilities

\r\n\r\n

About the Company

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible. Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day. To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always. At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve. Join us.

\r\n\r\n

About the Team

\r\n\r\n

TikTok LIVE Team is committed to creating real-time interactive scenes. As a new form of content, livestream creates value for all parties in the ecology. Livestream provides users with a unique consumption experience and further generalizes content. It is also a new way of employment to provide more direct fan interaction and deepen relationships to authors; It provides robust and objective revenue to the platform and promotes content exclusivity. It also serves as a \"new infrastructure\" for the expansion of ecological boundaries.- Deeply understand LIVE campaigns scenario, responsible for campaign platform building, coordinating the entire project process, providing practical solutions, promoting tool empowerment, and improving overall operational efficiency.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate deeply in business, collect requests from internal and external, identify operational efficiency issues, accurately identifying needs, and develop reasonable product plans based on core demands. Participate in the entire process of platform planning, demand definition, development, testing and launch.
  • \r\n\t
  • Based on business research, fully obtain information and pay attention to the feedback of platform solutions, promote product iteration, expand platform boundaries, increase the number of business accesses and business line coverage, and to elevate platform core indicators and service quality.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Bachelor's degree or above, with majors in computer science, mathematics, or statistics preferred.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Possess excellent product thinking and solution capabilities, clear logic and strong data analysis capabilities.
  • \r\n\t
  • Great ability to obtain and refine information, abstract business scenarios, and able to handle complex requirements.
  • \r\n\t
  • Ability to multi-task, with good communication skills and cooperation awareness.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7426259548716091698?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/product-manager-graduate-tiktok-campaign-platform-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49c" - }, - "title": "Graduate Design Researcher", - "description": "

As a design research graduate, you will research, analyse and share insights about attitudes and behaviours of people that use Xero, as well as those who don’t yet but might in the future. 

\r\n\r\n

You’ll learn about people’s lives outside of their interactions with Xero, and observe their experience using Xero. You’ll identify where people get stuck and why. You’ll help the wider business focus on the most critical user problems and opportunities that we can address – then help to inform the most delightful and effective experiences.

\r\n\r\n

As a graduate design researcher, you’ll develop research plans, conduct studies, analyse results, and report back actionable findings. You’ll have the opportunity to broaden your skills in a wide range of research methods including deep-dive interviews, concept and usability testing, surveys, and more. Throughout the research process, you’ll be working collaboratively with people from research, design, engineering and product in cross-functional teams.  

\r\n\r\n

What we’d like to see from you

\r\n\r\n

You’ll be a great listener and able to put yourself in other people’s shoes. You’ll have an analytical side and a knack for crafting beautiful user experiences.

\r\n\r\n

We’re looking for applicants with a degree in a relevant field such as design, anthropology, psychology, or any field with a research focus.

\r\n\r\n

Ideally, you’ll:

\r\n\r\n
    \r\n\t
  • be an excellent communicator and team player
  • \r\n\t
  • be a problem solver who can take a logical, analytical approach while being user-focused.
  • \r\n\t
  • be a creative, agile, motivated and passionate person
  • \r\n\t
  • like to question the status quo and take initiative
  • \r\n
\r\n\r\n

Why Xero?

\r\n\r\n

At Xero, we support many types of flexible working arrangements that allow you to balance your work, your life and your passions. We offer a great remuneration package, including shares and a range of leave options to suit your well-being. Our work environment encourages continuous improvement and career development, and you’ll get to work with the latest technology. 

\r\n\r\n

Our collaborative and inclusive culture is one we’re immensely proud of. We know that a diverse workforce is a strength that enables businesses, including ours, to better understand and serve customers, attract top talent and innovate successfully. We are a member of Pride in Diversity, in recognition of our inclusive workplace. So, from the moment you step through our doors, you’ll feel welcome and supported to do the best work of your life.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Xero Australia", - "website": "https://au.prosple.com/graduate-employers/xero-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/KVaT4twSLI6xmGq9GgeTi6jKK_xWDbKN4mpISIUzHeQ/1710820238/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-xero-480x480-2024.jpg" - }, - "application_url": "https://jobs.lever.co/xero/1bd1b441-332a-46e3-8ad7-480f861d1add", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/xero-australia/jobs-internships/graduate-design-researcher-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49d" - }, - "title": "Customer Solution Center Graduate", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Resolve technical issues (hardware/software) for internal/external contacts.
  • \r\n\t
  • Address service, product, and technical queries.
  • \r\n\t
  • Manage customer problems via phone and e-support.
  • \r\n\t
  • Document case summaries and resolutions in the Knowledge Management System.
  • \r\n\t
  • Assist customers proactively to minimize issues.
  • \r\n\t
  • Serve as the first contact for customer calls and emails.
  • \r\n\t
  • Respond to HPE monitoring system events and prioritize incidents.
  • \r\n\t
  • Perform IT infrastructure diagnostics and troubleshooting.
  • \r\n\t
  • Escalate sensitive situations as needed.
  • \r\n\t
  • Maintain incident records in the HPE Incident tracking system.
  • \r\n\t
  • Ensure high customer satisfaction and effective communication.
  • \r\n\t
  • Adhere to ITIL best practices.
  • \r\n\t
  • Work effectively with minimal supervision in a fast-paced
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A Bachelor's degree or Diploma, completed in 2023 or 2024.
  • \r\n\t
  • Broad IT industry knowledge and passion.
  • \r\n\t
  • Excellent verbal and written communication skills.
  • \r\n\t
  • Strong technical troubleshooting and problem-solving abilities.
  • \r\n\t
  • Knowledge of computing, storage, and peripheral devices.
  • \r\n\t
  • Proficiency with case management databases and tools.
  • \r\n\t
  • Superior customer service skills and remote support experience.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

HPE offers a comprehensive benefits package supporting physical, financial, and emotional well-being.

\r\n\r\n

Training, development & rotations

\r\n\r\n

HPE invests in career growth with programs to help you achieve your career goals, whether becoming an expert or exploring new fields.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for advancement within HPE, fostering innovation and growth in a diverse, inclusive environment.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your application by following the instructions provided in the job posting.

\r\n\r\n

Report this job

", - "company": { - "name": "Hewlett Packard Enterprise (HPE)", - "website": "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe", - "logo": "https://connect-assets.prosple.com/cdn/ff/Hbu1DjSV2otmsvvSz63vJV_LCTxNmV4i-4mtW4CAGUE/1649113550/public/styles/scale_and_crop_center_80x80/public/2022-04/1593697162881.jpg" - }, - "application_url": "https://careers.hpe.com/us/en/job/1179975/Customer-Solution-Center-Graduate-Charlestown", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/hewlett-packard-enterprise-hpe/jobs-internships/customer-solution-center-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49e" - }, - "title": "First Nations IT Service Desk Traineeship", - "description": "

The First Nations IT Service Desk Traineeship will be an integral part of our IT Service Desk team. This 12-month traineeship is designed to provide hands on experience in assisting users with IT issues, updating Service Desk documentation, and maintaining knowledge-based articles. 

\r\n\r\n

Initially, the trainee will assist the Service Desk team, and after extensive training in general business, life, and Service Desk skills, they will progress to do the role of a Service Desk Analyst.

\r\n\r\n

Training and Development 

\r\n\r\n

The trainee will receive comprehensive training and mentorship to develop their technical and business skills.

\r\n\r\n
    \r\n\t
  • Participate in training sessions and workshops to develop technical, business, and life skills.
  • \r\n\t
  • Complete a Certificate III in Information Technology to gain formal education and certification.
  • \r\n\t
  • Work closely with a mentor to receive guidance and support throughout the traineeship.
  • \r\n\t
  • Take advantage of learning opportunities to gain a deeper understanding of IT Service Desk operations.\r\n\t
      \r\n\t\t
    • The trainee must identify as Aboriginal or Torres Strait Islander and proof of Aboriginality will be required. *
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

About you

\r\n\r\n
    \r\n\t
  • An desire to learn and develop new skills to help kickstart your future. 
  • \r\n\t
  • Ability to work in a team environment.
  • \r\n\t
  • Positive attitude and a proactive approach to problem-solving.
  • \r\n\t
  • An interest in learning about IT and a willingness to develop new skills.
  • \r\n\t
  • An interest in learning about computers and a desire to learn more about IT systems and software.
  • \r\n
\r\n\r\n

* This is an identified position. It is a genuine occupational requirement that an Identified position be filled by a First Nations person as permitted by and arguable under Section 25, 104 and 105 of the Queensland Anti-Discrimination Act (1991).

", - "company": { - "name": "Ashurst", - "website": "https://au.prosple.com/graduate-employers/ashurst", - "logo": "https://connect-assets.prosple.com/cdn/ff/Cp23ixlMl67gfvEfYS7mP5UEIVY9HQp1u7DlEj9qFko/1710993035/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-ashurst-480x480-2024.jpg" - }, - "application_url": "https://fsr.cvmailuk.com/ashurstcareers/main.cfm?page=jobSpecific&jobId=74338&srxksl=1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ashurst/jobs-internships/first-nations-it-service-desk-traineeship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-31T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee49f" - }, - "title": "Business Graduate Program", - "description": "

Do work that matters 

\r\n\r\n

At Boeing, we innovate and collaborate to make the world a better place. From the seabed to outer space, you can contribute to work that matters with a company where diversity, equity and inclusion are core values. We're committed to fostering an environment for every teammate that's welcoming, respectful and inclusive, with great opportunity for professional growth. Find your future with us! Apply now! 

\r\n\r\n

About the opportunity

\r\n\r\n

Our dynamic program for recent university grads supports graduates in their transition from university to full-time work. The program includes graduates in a wide variety of engineering and business roles. 

\r\n\r\n

The 24-month Graduate Program features professional learning & development aimed to challenge and inspire growth, and social & professional collaborative opportunities to build and expand your Boeing networks. Your development plan is personalized and may include hands-on experiences, professional mentoring, formal engineering short courses, and external engagements via your formal duties or the Boeing Australia STEM Outreach Program.

\r\n\r\n

The program also plans networking and social events to provide opportunities for current grads to connect with grad alumni, managers, and senior leaders at the company. 

\r\n\r\n

We are committed to building a diverse and inclusive workplace. Female applicants, people of Aboriginal or Torres Strait Island descent and ex-Defence personnel are encouraged to apply.

\r\n\r\n

Pre-register

\r\n\r\n

Pre-register here so you'll get notified once the opportunity is open!

", - "company": { - "name": "Boeing Australia", - "website": "https://au.prosple.com/graduate-employers/boeing-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-iqlz06Is--1rpXT4pKiQkaKtd_Gjejg6ii7rNePDzQ/1581386331/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-boeing-240x240-2020.jpg" - }, - "application_url": "https://jobs.boeing.com/search-jobs/graduate/Brisbane%2C%20Queensland/185/1/4/2077456-2152274-7839562-2174003/-27x46794/153x02809/50/2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boeing-australia/jobs-internships/business-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-29T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a0" - }, - "title": "JavaScript Developer Internship", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:  

\r\n\r\n
    \r\n\t
  • Collaborate on full-stack JavaScript/TypeScript solutions.  
  • \r\n\t
  • Engage with progressive technologies and serverless architecture.  
  • \r\n\t
  • Contribute to internal projects within an experienced team.  
  • \r\n\t
  • Participate in a dynamic and fun work environment.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates are:  

\r\n\r\n
    \r\n\t
  • Students pursuing a degree in computer science, software engineering, or a related field.  
  • \r\n\t
  • Proficient in JavaScript, NodeJS, Linux (Debian/Ubuntu), SQL, and NoSQL databases.  
  • \r\n\t
  • Familiar with HTML and CSS.  
  • \r\n\t
  • Experienced with TypeScript, JavaScript libraries (Vue, Knockout, React), and web servers (Nginx, Apache) is a plus.  
  • \r\n\t
  • Able to showcase work on platforms like GitHub or BitBucket.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Interns earn AUD 32 per hour plus superannuation. Enjoy a casual dress code, a relaxed work environment, and a Melbourne CBD location with easy public transport access. Participate in team social events and enjoy weekly catered lunches.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from learning opportunities with experienced developers and exposure to cutting-edge web technologies.

\r\n\r\n

Career progression

\r\n\r\n

Potential for a permanent position upon completion of studies, with opportunities for growth and achievement recognition.

\r\n\r\n

Report this job

", - "company": { - "name": "Fontis Australia", - "website": "https://au.prosple.com/graduate-employers/fontis-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/zL63PTQoWvIZ3J4LXRhtWlR7yCYHayOnjhsUsYfDjsc/1736429716/public/styles/scale_and_crop_center_80x80/public/2025-01/logo-fontis-AU-450x450-2024%20%281%29.png" - }, - "application_url": "https://careers.fontis.com.au/o/javascript-developer-internship", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fontis-australia/jobs-internships/javascript-developer-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a1" - }, - "title": "Graduate Engineer - Darwin", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design and document industrial automation projects.
  • \r\n\t
  • Program PLC, RTU, and SCADA systems.
  • \r\n\t
  • Conduct factory acceptance testing and on-site commissioning.
  • \r\n\t
  • Prepare hand-over documentation.
  • \r\n\t
  • Collaborate with junior and senior engineers.
  • \r\n\t
  • Support project managers and technicians.
  • \r\n\t
  • Assist in developing proposals and tender responses.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Be a recent graduate in Electrical or Mechatronic Engineering & Computer Science.
  • \r\n\t
  • Know about PLC, SCADA, and HMI systems.
  • \r\n\t
  • Understand electrical circuit fundamentals.
  • \r\n\t
  • Be proficient in the report and technical writing.
  • \r\n\t
  • Possess excellent communication and interpersonal skills.
  • \r\n\t
  • Hold an Australian driver's license and have the right to work in Australia.
  • \r\n\t
  • Be able to obtain a Working with Children check.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive remuneration in a professional and safe working environment. SAGE promotes cultural diversity and equal opportunity.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Opportunities for professional growth through on-the-job learning, mentoring, and exposure to a wide range of industries and projects.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement in the automation industry, with opportunities to work on diverse projects and develop technical expertise.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your resume and cover letter addressing the responsibilities and skills to the provided application platform.

\r\n\r\n

Report this job

", - "company": { - "name": "SAGE Automation Australia", - "website": "https://au.prosple.com/graduate-employers/sage-automation-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/zaBRfgA4zWFMX3RSQ_VXZsM3cQXHJYmlQcL9mR9SX7Y/1736340553/public/styles/scale_and_crop_center_80x80/public/2025-01/SAGE%20Automation%20Australia%20Logo.png" - }, - "application_url": "https://www.gotosage.com/wp-content/plugins/bullhorn-oscp/#/jobs/2199", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sage-automation-australia/jobs-internships/graduate-engineer-darwin" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NT"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a2" - }, - "title": "Data Analytics Graduate Program", - "description": "

Join the Allianz Australia Data Analytics Graduate Program and play a key role in transforming the insurance industry with data. Use your problem-solving skills to manipulate data and communicate insights to stakeholders. Work across various business functions where data is at the forefront and integral to our operations. 

\r\n\r\n

Data Analytics Graduate | NSW – Sydney 

\r\n\r\n
    \r\n\t
  • Turn your job into a career with purpose
  • \r\n\t
  • Be recognised for the difference you bring
  • \r\n\t
  • Shape the future of the industry
  • \r\n
\r\n\r\n

What's on offer? 

\r\n\r\n
    \r\n\t
  • On-the-job development: experience four defined rotations within our Data Office, Technical, and Customer Strategy Insights divisions
  • \r\n\t
  • Education & study leave: fully paid formal education and study leave to further your skills in Data Analytics
  • \r\n\t
  • Professional development: continue building your business and leadership skills with our graduate development programs
  • \r\n\t
  • Support & mentorship: get ongoing guidance from a Senior Leader and our Talent Management team
  • \r\n\t
  • Community involvement: participate in our outreach volunteering program and give back
  • \r\n\t
  • Awesome benefits: enjoy employee perks like discounted insurance, free and discounted tickets to events at Allianz Stadium, community support programs and flexible leave
  • \r\n
\r\n\r\n

What we’re looking for: 

\r\n\r\n
    \r\n\t
  • A strong passion for data and proven experience through university with data manipulation and analytics tools.
  • \r\n\t
  • Well-rounded background with community involvement and extracurricular activities
  • \r\n\t
  • Work experience in customer service or a corporate environment
  • \r\n\t
  • Effective communication skills
  • \r\n\t
  • Leadership qualities developed through university, work, or extracurricular activities
  • \r\n\t
  • Interest in a role that combines analytical skills with customer interaction
  • \r\n
\r\n\r\n

To be eligible to apply: 

\r\n\r\n
    \r\n\t
  • Completed your undergraduate or postgraduate by the end of 2025 (applicants who graduated no more than 2 years prior to 2025 will also be considered)
  • \r\n\t
  • Must be an Australian or New Zealand Citizen or hold Australian Permanent Residency
  • \r\n\t
  • Attach your most up to date academic transcript or proof of results
  • \r\n\t
  • Include a cover letter outlining your suitability and a resume
  • \r\n\t
  • Ready to complete industry qualifications
  • \r\n
\r\n\r\n

About us 

\r\n\r\n

At Allianz, we celebrate what makes you unique. We value diversity and inclusion, welcoming people of all genders, ages, religions, sexual orientations, abilities, and work statuses. We’re committed to creating an environment where everyone can thrive and reach their fullest potential. 

\r\n\r\n

As one of the world’s leading insurance and asset management brands, we care about our customers and our people. We offer a workplace where you feel like you belong, with a culture of lifelong learning, development, and global mobility. Join us, share your ideas, be inspired, and give back. Be part of meaningful work that tackles climate change, mental health, and well-being. 

", - "company": { - "name": "Allianz Australia", - "website": "https://au.prosple.com/graduate-employers/allianz-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/dpYqAADeeyhv_iJerSYJl1i1AwuW8HS8SZzxmjyNYSA/1596548028/public/styles/scale_and_crop_center_80x80/public/2020-08/logo-allianz-480x480-2020.jpg" - }, - "application_url": "https://careers.allianz.com/job-invite/52368/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/allianz-australia/jobs-internships/data-analytics-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-06T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a3" - }, - "title": "Graduate Program", - "description": "

Why Fujitsu?  

\r\n\r\n

Fujitsu so much more than you think! Today, Fujitsu is seen as a global leader in technology and business solutions that transform organisations and the world around us. You may not realise it, but many of the computer systems you use every day are powered by Fujitsu. From retailers and banks right through to utility companies and government departments, we’re behind some of the largest brands and institutions. In fact, for over 50 years, we’ve ensured that Australia and New Zealand’s most critical infrastructure operates smoothly, 24/7, whatever is happening in the world.

\r\n\r\n

Fujitsu’s Purpose 

\r\n\r\n

Fujitsu’s purpose is “to make the world more sustainable by building trust in society through innovation.” We believe in the power of bringing together different people with a shared ambition to create transformational change for our customers and enable positive change in the world. That’s how we aim to deliver against our brand purpose. 

\r\n\r\n

Our Promise to You

\r\n\r\n

Fujitsu is a place where everyone is trusted to transform, it’s a place where working your way is the right way and where doing the right thing is everything. It’s also where we achieve together in a leading business that delivers global reach and focuses on local impact.

\r\n\r\n

Our Graduate program 

\r\n\r\n

Our teams all come from a range of backgrounds allowing us to bring our diverse perspectives and experiences to solving our customer’s challenges. By joining our graduate program, you’ll work and learn from experts in the field and take on responsibilities that will fast track your career.

\r\n\r\n

If you have a university degree and are an Australian/NZ Citizen, our Graduate program could be a great fit for you. Our award winning 12-month Graduate Program is focused on preparing future leaders, technical specialists, and industry experts of Fujitsu. Throughout the year, you will experience job specific learning aimed at developing you both personally and professionally. Our Graduate community is tight-knit, social and friendly.

\r\n\r\n

The Fujitsu Graduate Experience: 

\r\n\r\n

Throughout the 12-month program you will:

\r\n\r\n
    \r\n\t
  • Be eligible for personalised technical and professional development
  • \r\n\t
  • Have the opportunity to build your career and social network
  • \r\n\t
  • Explore your career potential with dedicated coaching and career conversations
  • \r\n\t
  • Get involved with a range of projects and experiences across our business
  • \r\n
\r\n\r\n

At the start of the Program, you will be assigned a buddy from our Graduate Alumni Community to provide additional support and act as a sounding board for any questions. There are also a number of social clubs, initiatives and activities formed by employees that can assist you in strengthening and expanding your professional network.

\r\n\r\n

What will you be doing

\r\n\r\n

We are looking for Graduates with a background or degree related to IT, Computer Science and/or Programming. We have a variety of roles available related to these degrees where you will develop technical skills/competencies and gain exposure to the corresponding business area. We have Graduate roles available as a:

\r\n\r\n
    \r\n\t
  • SAP Graduate
  • \r\n\t
  • Data & AI Graduate
  • \r\n\t
  • Cyber Security Graduate
  • \r\n\t
  • Business Analyst Graduate
  • \r\n\t
  • Project Management Graduate
  • \r\n\t
  • Hosting & Cloud, Technical Services Engineer Graduate
  • \r\n\t
  • Associate Software Developer Graduate
  • \r\n
\r\n\r\n

We also have Graduate roles available in Sales, People & Culture, Marketing and Sustainability. 

\r\n\r\n

If any of these roles are of interest to you, we encourage you to apply now!

\r\n\r\n

Application Process: 

\r\n\r\n

We’ve listened to you! We are listening to candidate feedback and industry best practice by simplifying the application process for our Graduate Program. This year, we won’t be asking you to complete video interviews and attend assessment centres. 

\r\n\r\n

Recruitment Process: 

\r\n\r\n
    \r\n\t
  • Step One: Online Application 
    \r\n\tThis is an opportunity to stand out and detail who you are, your studies, skills, and experiences. To avoid delays, don’t leave your application until the last minute!
  • \r\n\t
  • Step Two: Aptitude Testing 
    \r\n\tYou will be required to complete a timed online aptitude test which is used to measure mental reasoning ability.
  • \r\n\t
  • Step Three: Panel Interview
    \r\n\tSuccessful applicants will be invited to attend a panel interview where you will meet with a diverse group of managers. A great opportunity to ask any questions and find out about their experiences.
  • \r\n\t
  • Step Four: Final Interview
    \r\n\tYou will meet with hiring managers for your graduate role. The purpose of this meeting is to get to know you better, we encourage you to share your education, relevant experience and interest in the role and Fujitsu.
  • \r\n
", - "company": { - "name": "Fujitsu", - "website": "https://au.prosple.com/graduate-employers/fujitsu", - "logo": "https://connect-assets.prosple.com/cdn/ff/IOWz7112YosSRLLtBQB4yUyqVejG_grVrSymtjxYPCA/1709088374/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-fujitsu-480x480-2024.jpg" - }, - "application_url": "https://www.fujitsu.com/au/about/careers/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fujitsu/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-15T13:45:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "QLD", - "SA", - "VIC", - "WA", - "OTHERS" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a4" - }, - "title": "Finance Stream Graduate Program", - "description": "

Do you have a university qualification and a desire to make a difference for all Australians? We want to hear from graduates with tertiary qualifications in commerce or accounting-related disciplines.

\r\n\r\n

At the Department of Employment and Workplace Relations (DEWR), we enable access to quality skills, training, and employment to support Australians find secure work in fair, productive and safe workplaces. This is our purpose.

\r\n\r\n

Our work is broad and requires people with all types of qualifications including graduates with commerce or accounting-related disciplines 

\r\n\r\n

Graduates working in our finance area will help shape the delivery of essential services within the financial resource management framework. By providing sound financial management advice to the executive team, the department helps shape policy that impacts the lives of Australians. 

\r\n\r\n

DEWR finance graduates are given real responsibility from the start, and experience learning on the job that firmly sets up their careers in public service and beyond. Some examples of the type of work you may undertake include: 

\r\n\r\n
    \r\n\t
  • Preparing detailed budgets and costings for projects, initiatives and DESE groups.
  • \r\n\t
  • Interpreting accounting standards and providing financial analysis and reporting.
  • \r\n\t
  • Writing briefs including senate estimates and updates to internal policies and guidelines.
  • \r\n\t
  • Detailed account reconciliations and reporting.
  • \r\n\t
  • Assisting in procurement activities including interpretation of the Commonwealth Procurement Guidelines.
  • \r\n\t
  • Problem-solving, conducting process mapping and suggesting improvements.
  • \r\n\t
  • Find out more when you visit our website.
  • \r\n
\r\n\r\n

Our Program

\r\n\r\n

As a DEWR Graduate, you will be exposed to many facets of our portfolio as you build your capability during the Program.

\r\n\r\n

Being part of a graduate cohort is a great way for you to transition from education to employment. We know first-hand the significance of this milestone and you'll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career.

\r\n\r\n

 As a DEWR Graduate, you will experience:

\r\n\r\n
    \r\n\t
  • a holistic view of working in a government agency through two allocated work placements,
  • \r\n\t
  • a formal learning and development program (including a Graduate Certificate in Public Administration),
  • \r\n\t
  • on-the-job experience and the opportunity to work with and learn from subject matter experts.
  • \r\n\t
  • a range of formal and on-the-job training activities designed to provide you with the tools to develop as an APS officer,
  • \r\n\t
  • working in a supportive, inclusive and flexible working environment, and
  • \r\n\t
  • various opportunities to be involved in a wide range of networks, and social and fundraising events.
  • \r\n
\r\n\r\n

The DEWR Graduate program also offers:

\r\n\r\n
    \r\n\t
  • relocation assistance to move to Canberra.
  • \r\n\t
  • permanent ongoing employment in the Australian Public Service,
  • \r\n\t
  • and career progression from APS Level 3.1 to APS Level 5.1 upon successful completion of the program.
  • \r\n\t
  • support from a buddy/alumni.
  • \r\n\t
  • an Employee Assistance Program for well-being and career support,
  • \r\n\t
  • dedicated buddy and supervisor.
  • \r\n\t
  • a dedicated Graduate Sponsor/s passionate about seeing you thrive.
  • \r\n
\r\n\r\n

Positions are primarily located in Canberra.

\r\n\r\n
\"ruby\"
\r\n\r\n

Who can pre-register/apply?

\r\n\r\n

The program starts in February each year.

\r\n\r\n

To be eligible to pre-register/apply, applicants must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen or will be by 1 October 2025
  • \r\n\t
  • Must have completed your university degree within the last five years or be in your final year of study and have completed all your course requirements before commencing our program
  • \r\n\t
  • Be prepared to obtain and maintain baseline security clearance
  • \r\n
\r\n\r\n

If you secure a place in our 2026 Graduate Program, you will need to provide evidence of your Australian citizenship and be willing to undergo a National Police Check and health checks as required. The department will guide you through the process of obtaining your baseline security clearance as part of your onboarding process.

\r\n\r\n

How to pre-register/apply

\r\n\r\n

We work collaboratively with other APS agencies to recruit talented individuals through other specialty graduate and entry-level programs. These speciality graduate programs are co-ordinated centrally by AGGP.

\r\n\r\n

Visit the APS Jobs Career Pathways website to find out more or apply. Make sure you nominate the Department of Employment and Workplace Relations as your preferred agency for your chance to join us! 

\r\n\r\n

Secure jobs are vital—driving future economic growth and providing people with certainty. We focus on connecting Australians who are starting, advancing, or changing their career with the relevant skills, knowledge, and experience to gain or regain employment.

\r\n\r\n

Our work makes a difference in the lives of all Australians, and we want you to be part of it. 

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Department of Employment and Workplace Relations (DEWR)", - "website": "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr", - "logo": "https://connect-assets.prosple.com/cdn/ff/6ktKGXnwbZX5QhSe02LG1Vo-IVLsUv7YB7Us2GtCcrs/1712007026/public/styles/scale_and_crop_center_80x80/public/2024-04/1712007021490_3911_2025%20Grad%20Campaign%20Assets_Grad%20Australia%20_Tile_FA.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/accounting-and-financial-management-stream-MCJXSF2MYVYFHGNCKOIERZ4RK7K4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-employment-and-workplace-relations-dewr/jobs-internships/finance-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a5" - }, - "title": "Graduate Program - Technology Stream", - "description": "

At Protiviti we care about our people and their careers. We promise all of our people: 

\r\n\r\n
    \r\n\t
  • Meaningful rewards and recognition including competitive remuneration, a transparent incentive compensation program (ICP) annual bonus structure, Anytime Awards and more
  • \r\n\t
  • Flexibility-first workplace offering flexible work arrangements and a hybrid work model
  • \r\n\t
  • Exceptional development opportunities including a structured global mobility program, international INNovation centres, off-site trainings, e-learning, certifications, reimbursement for professional memberships, paid study leave assistance and structured progression and promotion plan
  • \r\n\t
  • A global, collaborative and diverse workplace with opportunities to participate in local and international employee networks, initiatives and a personalised advisor program
  • \r\n\t
  • An opportunity to have an impact with clients working to improve communities locally and internationally, contribute to thought leadership and influence the future of work
  • \r\n\t
  • A commitment to our communities featuring an employee matching gift program, two annual paid days off for volunteerism and community philanthropy programs
  • \r\n\t
  • Generous benefits options including four weeks of annual leave, all standard holidays, MediBank health fund, long-service leave, ability to purchase additional annual leave, salary continuance insurance, paid parental leave, sabbatical program and more
  • \r\n
\r\n\r\n

Position:

\r\n\r\n

As a Graduate Consultant, you will get the opportunity to work across a multitude of industries and organisations. You will spend significant time with clients to understand their business problems and advise on processes gaps and improvement opportunities. This involves:

\r\n\r\n
    \r\n\t
  • Contributing to the planning and scoping stage of the project
  • \r\n\t
  • Documenting and forming a point of view on matters discussed in meetings
  • \r\n\t
  • Conducting fieldwork to understand the business problems
  • \r\n\t
  • Preparing findings and creating client deliverables
  • \r\n
\r\n\r\n

As Consultants progress in their careers, the focus shifts from gaining transferable experience to specialising in an industry or solution. We are committed to attracting and developing a diverse workforce of professionals that share the common value of collaboration. Protiviti's consulting solutions span critical business problems in Technology. Depending on client demand and staffing availability, you may gain exposure to projects across one or more of these consulting solutions:

\r\n\r\n

Technology Consulting: Technology Consulting (TC) practices help our clients to design and implement advanced solutions in technology strategy, cloud solutions, IT governance, security, data management, applications, compliance and much more.  A typical Technology consulting engagement will involve:

\r\n\r\n
    \r\n\t
  • Analysing an organisation’s data and interviewing stakeholders to develop strategic advice on technology to achieve business goals, improve business processes, reduce risk or maximising use of technology opportunities
  • \r\n\t
  • Determining information system requirements and defining project objectives
  • \r\n\t
  • Making recommendations, such as implementation of specialised systems or redesign of processes
  • \r\n
\r\n\r\n

\"Protiviti\"

\r\n\r\n

Position Requirements:

\r\n\r\n
    \r\n\t
  • Degree: Candidates pursuing a bachelor’s degree, MBA or master’s degree in a relevant discipline (e.g. IT, Cyber Security, Technology, Computer Science, Information Systems, etc.)
  • \r\n\t
  • Work Rights: Must be a current Australian or New Zealand Citizen or Permanent Resident holder.
  • \r\n\t
  • Graduate Status: Must be in the final year of a university course
  • \r\n\t
  • Ability to Travel: The position requires travel to client sites. Out-of-town travel also may be required
  • \r\n
\r\n\r\n

If you are excited about this role but not sure you meet all the requirements, please apply anyway and we’ll be happy to consider you for this and/or any other suitable role 

", - "company": { - "name": "Protiviti", - "website": "https://au.prosple.com/graduate-employers/protiviti", - "logo": "https://connect-assets.prosple.com/cdn/ff/46l4-bPyg6BRnJyBvN3lEpMrYASoCsojs7u4P0CBdtU/1720070028/public/styles/scale_and_crop_center_80x80/public/2024-07/logo-protiviti-480x480-2024.jpg" - }, - "application_url": "https://learnmore.protiviti.com/AusGradrecruitmentEOI2023#xd_co_f=MzMyM2NlM2ItZDgyZS00OWEyLTlhOGYtNWQyMThjMmVhODc2~", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/protiviti/jobs-internships/graduate-program-technology-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a6" - }, - "title": "Vacation Program - Digital and Technology Advisory", - "description": "

Take the first step in your career. Learn, grow, and be more at BDO!

\r\n\r\n

Join BDO as a Vacationer in our Digital & Technology Advisory team in either November 2025 or January 2026!

\r\n\r\n

BDO is one of the world’s leading audit, accounting, advisory and consulting firms. We provide a range of services to clients of all sizes and industries across Australia.

\r\n\r\n

As a vacationer you’ll see firsthand how our Digital & Technology Advisory team work closely with clients, both in the public and private sector, to support them in implementing new and exciting solutions to transform their digital and technological offerings.

\r\n\r\n

This will vary from day to day and can include data analysis, research, deck building, and involvement in client meetings.

\r\n\r\n

What you’ll get:

\r\n\r\n
    \r\n\t
  • 4-week program completing full-time, paid work experience during the university semester break
  • \r\n\t
  • Support from your buddy and manager
  • \r\n\t
  • Networking and social activities with your vacationer cohort and the wider firm
  • \r\n\t
  • Innovation activities that bring the cohort together
  • \r\n\t
  • Opportunities to learn and develop both technical and people skills
  • \r\n\t
  • The little things like free brekkie, healthy snacks and dress for your day
  • \r\n\t
  • To experience a culture of opportunity, connection, community, and impact
  • \r\n
\r\n\r\n

What you’ll offer:

\r\n\r\n
    \r\n\t
  • You will be in your final year or have recently completed a relevant undergraduate or postgraduate degree, preferably in Information Technology i.e. Computer Science, AI etc. Degrees in Commerce, Engineering, Science and Law will also be considered
  • \r\n\t
  • Your availability to commence in either November 2025 or January 2026 for 4 weeks. The length of the program and available intakes may vary in each location.
  • \r\n
", - "company": { - "name": "BDO Australia", - "website": "https://au.prosple.com/graduate-employers/bdo", - "logo": "https://connect-assets.prosple.com/cdn/ff/s4l2gOAXBoZVxfkYHHUBC8RyA0YLcKRLP6I5U9HIdX8/1710376127/public/styles/scale_and_crop_center_80x80/public/2024-03/1710376108866_Prosple%20logo_colour%20512x512%20%28002%29.jpg" - }, - "application_url": "https://bdoaustralia-student.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=782653", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bdo-australia/jobs-internships/vacation-program-digital-and-technology-advisory-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-04T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a7" - }, - "title": "Internship for Students/Graduates with Disability", - "description": "

Are you a university student with disability looking for paid work experience that counts? The Australian Disability Network (AusDN) is offering students with disability the opportunity to participate in a diverse range of internships offered across a range of industries in both the public and private sector.

\r\n\r\n

Our paid internships will take place between December 2025 and March 20256, during semester break. Paid work experience internships are 152 hours minimum and the timeframe of your placement can be discussed with the host employer. 

\r\n\r\n

This summer University of Sydney, The Royal Women’s Hospital, Optus, Pfizer Australia, Optus, PEXA, NAB, and many more.

\r\n\r\n

Internships generally last four to eight weeks (with the opportunity for flexible work hours to manage your disability or other commitments).

\r\n\r\n

The programs team are available throughout the entire process for support, advice and guidance on how to ensure your internship is a success.

\r\n\r\n

To read the position descriptions for internships available, see Current Opportunities: https://and.org.au/students-jobseekers/current-opportunities/. 
\r\n
\r\nAm I eligible? 

\r\n\r\n
    \r\n\t
  • Stage of study: final or second last year of university
  • \r\n\t
  • Discipline of Study: All are encouraged to apply
  • \r\n\t
  • Citizenship status: Australia Citizen, Permanent Resident or International student with full working rights in Australia
  • \r\n\t
  • Recent graduate - up to 3 years post-graduation
  • \r\n
\r\n\r\n

What is 'Disability'?

\r\n\r\n

The Australian Disability Network follows the definition from The Disability Discrimination Act (1992).

\r\n\r\n

Disability is any impairment, abnormality, or loss of function, of any part of the body or mind. This includes:

\r\n\r\n
    \r\n\t
  • Physical – affects someone's mobility or dexterity
  • \r\n\t
  • Intellectual – affects someone's ability to learn
  • \r\n\t
  • Mental Illness – affects thought processes
  • \r\n\t
  • Sensory – may affect someone's ability to hear or see
  • \r\n\t
  • Neurological - affects someone's brain and central nervous system e.g. brain tumours, epilepsy, Parkinson's disease
  • \r\n\t
  • Learning disability – affects the way a person learns
  • \r\n\t
  • Physical disfigurement
  • \r\n\t
  • Immunological -the presence of organisms causing disease in the body e.g. arthritis, MS, IBD, Lupus, Diabetes
  • \r\n
\r\n\r\n

For more information, and for a full list of disciplines covered, please visit our website.

", - "company": { - "name": "Australian Disability Network", - "website": "https://au.prosple.com/graduate-employers/australian-disability-network", - "logo": "https://connect-assets.prosple.com/cdn/ff/EopEpr4-gY9ySrMaWYwcrJ7fRdtI6-tpNo7llm6ymD0/1708999494/public/styles/scale_and_crop_center_80x80/public/2024-02/1708999492230_ADN%20Logo%20-%20Square.png" - }, - "application_url": "https://australiandisabilitynetwork.org.au/students-jobseekers/start-a-stepping-into-internship/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-disability-network/jobs-internships/internship-for-studentsgraduates-with-disability-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-10-13T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a8" - }, - "title": "Technology Graduate Program", - "description": "

What AMP offers you

\r\n\r\n
    \r\n\t
  • A 2-year rotational program contributing the AMP’s strategy
  • \r\n\t
  • Tailored professional development program
  • \r\n\t
  • Support network across the AMP Graduate Community
  • \r\n\t
  • Competitive salary package
  • \r\n\t
  • Generous leave allowance
  • \r\n\t
  • Hybrid working arrangements
  • \r\n
\r\n\r\n

The opportunity

\r\n\r\n

The Technology Graduate Program offers pathways for graduates who want to apply their skills in an innovative environment. With a focus on designing, developing and enhancing AMP’s technology systems and architecture, our Technology Graduates are drivers of change who are passionate about creating market leading customer experiences. Providing opportunities to grow technical and transferable business skills including programming, coding, development and analytics, the Technology Graduate Program puts graduates at the forefront of an ever-changing Technology landscape.

\r\n\r\n

Your Graduate journey

\r\n\r\n

As an AMP Graduate, you will take on meaningful work from day one as you complete a two-year rotational program giving you many opportunities to create your tomorrow. 

\r\n\r\n

A tailored professional development program overlays your rotations and includes:

\r\n\r\n
    \r\n\t
  • A comprehensive induction program
  • \r\n\t
  • Externally facilitated workshop series
  • \r\n\t
  • Immersive experience in the client services/operations teams
  • \r\n\t
  • Business Implementation Project to senior leaders
  • \r\n
\r\n\r\n

Sharing your experiences with your cohort, you’ll start building a network of who are committed to your development and success. Your support network is made up of:

\r\n\r\n
    \r\n\t
  • The Graduate Program Manager who oversees the program from end to end
  • \r\n\t
  • A business stream Graduate Champion will be your mentor through your journey
  • \r\n\t
  • A Buddy from a previous cohort will share their lived experiences with you
  • \r\n\t
  • The Talent Team will work with you during the program and beyond to match you with opportunities
  • \r\n\t
  • The graduate alumni community and senior leadership team will be your cheerleaders
  • \r\n
\r\n\r\n

Pay and benefits

\r\n\r\n
    \r\n\t
  • Competitive base salary + 12% superannuation + up to 10% annual bonus
  • \r\n\t
  • A permanent full-time contract from the start of the program
  • \r\n\t
  • Generous leave allowances including 20 days paid annual leave per year and option to purchase additional days via salary sacrifice, personal/sick/careers leave, parental leave, long service leave, volunteering days, recharge days and other ad hoc leave
  • \r\n\t
  • Hybrid work arrangement with a combination of days with your team at the modern Quay Quarter Tower office and work from home days
  • \r\n\t
  • Variety of discounted/fee-free banking and financial services and products
  • \r\n\t
  • 300+ entertainment and retail discounts via the AMP Advantage app
  • \r\n
\r\n\r\n

Eligibility criteria

\r\n\r\n
    \r\n\t
  • Hold Australian or New Zealand Citizenship or Australian Permanent Residency status at the time of application
  • \r\n\t
  • Have completed your first undergraduate (Bachelor) degree in 2024 or 2025
  • \r\n\t
  • Be able to start a full-time role based in Sydney in February 2026
  • \r\n
\r\n\r\n

Recruitment Process

\r\n\r\n
    \r\n\t
  1. Simple online application form and chance to upload your CV, academic transcript and supporting documentation.
  2. \r\n\t
  3. Online game-based assessment and video interview so you can let us know a bit more about you, your experience and your goals.
  4. \r\n\t
  5. Virtual assessment centre where you will meet the AMP team and complete individual interviews and a case study. This is your opportunity to ask us questions too.
  6. \r\n\t
  7. Offer and onboarding…Welcome to AMP!
  8. \r\n
", - "company": { - "name": "AMP", - "website": "https://au.prosple.com/graduate-employers/amp", - "logo": "https://connect-assets.prosple.com/cdn/ff/jRjVIHLViCqRJAcpczjKlBxDQcBFfmOmmoiwxH2-3mU/1568368519/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-amp-120x120-2019.jpg" - }, - "application_url": "https://fa-esow-saasfaprod1.fa.ocs.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1/job/2436/?utm_medium=jobshare", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amp/jobs-internships/technology-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-22T07:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4a9" - }, - "title": "Firmware Stream - Summer Student Internship Program", - "description": "

Why us? 

\r\n\r\n

Cochlear is a world-leading medical device company that offers you an unmatched, global platform to launch your engineering career! 

\r\n\r\n

You will have the opportunity to actively collaborate with the brightest engineering minds in the world as they mentor and support you to develop your skills and follow your passions. 

\r\n\r\n

Join us and get real-world engineering projects that give you hands-on experience working as a professional engineer. Our Summer Student Internship Program the is the only pathway to a full-time graduate position commencing in February 2026.

\r\n\r\n

What will you do?

\r\n\r\n

Without Firmware, Cochlear’s products don’t ‘come alive’ – there would be no sound from a sound processor! 

\r\n\r\n

In the Firmware Stream, you will collaborate with various stakeholders to work on highly innovative projects that aim to improve our Sound Processor features.

\r\n\r\n

Tasks in your project would involve working within one of our Agile project teams to specify, design, implement, test, and maintain embedded software, sound processing technologies and tools for the external components of a cochlear implant system.

\r\n\r\n

Most suitable academic disciplines for the Firmware stream are: Electrical, Computer Engineering, Computer Science, Software or Mechatronics

\r\n\r\n

Who are we looking for?

\r\n\r\n

To be eligible for our Summer Student Internship Program – Firmware Stream, you will need to:

\r\n\r\n
    \r\n\t
  • Be a penultimate-year student, completing your degree in calendar year 2026
  • \r\n\t
  • Possess the right to work in Australia without sponsorship after graduation
  • \r\n\t
  • Available to work full-time from late November 2025 to mid-February 2026  
  • \r\n
", - "company": { - "name": "Cochlear", - "website": "https://au.prosple.com/graduate-employers/cochlear", - "logo": "https://connect-assets.prosple.com/cdn/ff/rXB6xWdezEQc03f9oz4Grwp58IQSj0bQRidXxYY2Pl4/1569794779/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-cochlear-120x120-2019.jpg" - }, - "application_url": "https://cochlear.wd3.myworkdayjobs.com/Cochlear_Careers/job/Sydney/Summer-Student-Internship-Program_R-618441-2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/cochlear/jobs-internships/firmware-stream-summer-student-internship-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-29T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4aa" - }, - "title": "Analytics & Sales Programme", - "description": "

The Analytics and Sales program is a unique opportunity to develop a comprehensive understanding of our Bloomberg products and clients in the wider context of the financial markets. Following our comprehensive training program, you will apply your knowledge by assisting our clients in the Analytics department.

\r\n\r\n

In our Analytics business, you will provide 24/7 support for Bloomberg Professional Service users all over the world and across multiple industries. Reaching us via our Helpdesk using the 'Instant Bloomberg' chat system, clients access unparalleled customer service where we answer their questions and help them maximize the value of Bloomberg's products. On any given day we respond to over 12,000 queries in more than 15 languages. From educating a portfolio manager on Bloomberg’s risk management solutions to helping a trader use our functionality to discover new sources of market liquidity, the variety of problems we solve is immense.

\r\n\r\n

Bloomberg is constantly innovating, and Analytics plays a key role in ensuring clients are educated on new products and enhancements by proactively working closely to upskill them through technology and delivering on-site training and seminars. We also work in conjunction with Sales to deliver strategic initiatives, supporting product roll-out and onboarding clients. We want to ensure our clients are making the most of our service and using tools and features that allow them to work smarter.

\r\n\r\n

As you deepen your knowledge, you will have the opportunity to enter our sales department. In Sales, we are the face of Bloomberg for our clients. Consultative and entrepreneurial, we manage client relationships, whilst striving to continually grow our revenue by identifying new business opportunities. We spend our time with our clients, understanding their business goals and outpacing their expectations. Guided by curiosity and purpose, we work to understand their workflows and present them with the most appropriate solutions across our range of enterprise offerings.

\r\n\r\n

What’s in it for you?

\r\n\r\n

You will start by completing our comprehensive Analytics & Sales training program, covering all aspects of the financial markets: industry principles, market players and asset classes - while teaching you all there is to know about the functionality and analytical tools Bloomberg has to offer!

\r\n\r\n

You will join one of our Analytics teams, delivering exceptional customer support to our clients by providing fast and accurate solutions to their queries, while continuing to develop your knowledge through asset class and workflow specialist training.

\r\n\r\n

There are multiple opportunities to further your career across the department or the company, with most Analytics representatives progressing towards opportunities in Sales. You may also go onto develop into a specialized support role in our Advanced Team and possibly in time take on a leadership role.

\r\n\r\n

Who you are?

\r\n\r\n

You understand the drivers behind market moving stories and events. You are a solution-finder, with a real passion for providing exceptional customer service in a fast-paced environment. With a desire to build a career in a client-facing role, you understand the importance of credibility and building relationships!

\r\n\r\n

You’ll need to have:

\r\n\r\n
    \r\n\t
  • A Bachelor’s degree (or above) or relevant work experience
  • \r\n\t
  • Ability to multitask and resolve client inquiries while also proactively identifying sustainable workflow solutions for our clients
  • \r\n\t
  • Strong critical-thinking and problem-solving skills
  • \r\n\t
  • Demonstrated interest in the financial markets and the aspiration to work in the financial services industry
  • \r\n\t
  • The desire to learn and adapt quickly in a dynamic training and client-facing environment
  • \r\n\t
  • The ability to demonstrate resilience and agility in a fast-paced environment
  • \r\n\t
  • Ambition to pursue a client-facing career, with a strong interest in relationship management and sales
  • \r\n\t
  • Outstanding communication skills (both written and verbal)
  • \r\n\t
  • The ability to start full time in 2026
  • \r\n\t
  • The ability to occasionally work weekends or on a bank/public/federal holiday (weekday off in lieu)
  • \r\n
\r\n\r\n

We’d love to see:

\r\n\r\n
    \r\n\t
  • Previous experience engaging with clients in a relationship management capacity
  • \r\n\t
  • Interest in innovative and emerging technologies or an interest in how technology can enhance workflows and efficiencies
  • \r\n\t
  • Beginner to intermediate experience with excel and/or VBA
  • \r\n
\r\n\r\n

We are hiring on a rolling basis till our training classes for the year are filled.

\r\n\r\n

If this sounds like you:

\r\n\r\n

Apply if you think we're a good match. We'll get in touch to let you know what the next steps are, but in the meantime feel free to have a look at our website.

\r\n\r\n

Please note this is a two stage application process, following the submission of your candidate details you will receive an email with directions to complete an online assessment. Your application will not be complete until you have submitted the assessment.

\r\n\r\n

Bloomberg is an equal opportunity employer and we value diversity at our company. We do not discriminate on the basis of age, ancestry, color, gender identity or expression, genetic predisposition or carrier status, marital status, national or ethnic origin, race, religion or belief, sex, sexual orientation, sexual and other reproductive health decisions, parental or caring status, physical or mental disability, pregnancy or maternity/parental leave, protected veteran status, status as a victim of domestic violence, or any other classification protected by applicable law.

\r\n\r\n

Bloomberg provides reasonable adjustment/accommodation to qualified individuals with disabilities. Please tell us if you require a reasonable adjustment/accommodation to apply for a job or to perform your job. Examples of reasonable adjustment/accommodation include but are not limited to making a change to the application process or work procedures, providing documents in an alternate format, using a sign language interpreter, or using specialized equipment. If you would prefer to discuss this confidentially, please email AMER_recruit@bloomberg.net (Americas), EMEA_recruit@bloomberg.net (Europe, the Middle East and Africa), or APAC_recruit@bloomberg.net (Asia-Pacific), based on the region you are submitting an application for.

", - "company": { - "name": "Bloomberg L.P.", - "website": "https://au.prosple.com/graduate-employers/bloomberg-lp", - "logo": "https://connect-assets.prosple.com/cdn/ff/u0DpBoGVKrMEoh2Kjl9InD465IqsWC4qhW0JSuVKXZg/1629774614/public/styles/scale_and_crop_center_80x80/public/2021-08/logo-bloomberg-120x120-2021.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bloomberg-lp/jobs-internships/analytics-sales-programme-5" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-11-04T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ab" - }, - "title": "Graduate Program - IT and Cyber", - "description": "

The Opportunity 

\r\n\r\n

If you are looking for an exciting and challenging career that will allow you to develop your personal and professional potential and learn from our leading experts, we encourage you to apply for a graduate opportunity in Transgrid’s Graduate Program in IT and Cyber.
\r\n
\r\nThe Graduate Program is targeted at accelerating your development preparing you to take part in some of the largest developments in the National Electricity Market’s history.
\r\n
\r\nAs a Graduate of our IT and Cyber Business Unit, you will contribute to and support our senior engineers with Transgrid’s security monitoring tool including the design, implementation and maintenance. You will undertake rotations in our Information Security domain, investing your time in various tasks including, data governance, security assurance, security program management and offensive security, with access to internal and external development opportunities to enhance professional knowledge and skills. These rotations will help you create an invaluable network that helps you learn, grow, and develop.
\r\n
\r\nWe are looking for agile individuals who enjoy problem-solving, are goal-oriented and are committed to business excellence. You will be someone who can think laterally and is a great communicator. A team player, you will build strong working relationships with your stakeholders and teams alike. You will be someone who is in their final year of university studies or who has recently graduated and can start working in February 2025. 

\r\n\r\n

As a Transgrid graduate, you will:

\r\n\r\n
    \r\n\t
  • Learn from leading experts
  • \r\n\t
  • Be supported by mentors, buddies and managers
  • \r\n\t
  • Develop professional skills that will help get your career off to a flying start
  • \r\n\t
  • Undertake four six-month rotations in Technology Operations
  • \r\n\t
  • Access internal and external development opportunities to enhance professional knowledge and skills
  • \r\n\t
  • Build a diverse skill set to prepare you for a career in the Energy Industry
  • \r\n\t
  • Receive on-the-job training and supportive transition into the role
  • \r\n\t
  • Challenge yourself and ensure you contribute to the business
  • \r\n
\r\n\r\n

What you can expect from us:

\r\n\r\n
    \r\n\t
  • Structured leadership and development programs
  • \r\n\t
  • On-the-job training and supportive transition into the role
  • \r\n\t
  • Hybrid and flexible work arrangements available/ 9-day fortnight work pattern
  • \r\n\t
  • 20 weeks of Parental Leave (including adoption)
  • \r\n\t
  • 2 weeks Other Parent Leave
  • \r\n\t
  • Annual picnic day (additional day off)
  • \r\n\t
  • Salary sacrifice options for superannuation and motor vehicles (subject to ATO requirements)
  • \r\n\t
  • 18 days leave (sick /carer’s leave)
  • \r\n\t
  • Moving leave
  • \r\n\t
  • Emergency/disaster leave
  • \r\n\t
  • Employee Support Networks including, Energise (supporting women at Transgrid), Rise (employees who identify as LGBTQIA+) and Yarn Up (Aboriginal and Torres Strait Islander employees)
  • \r\n
\r\n\r\n

To be considered for the graduate program you will be:

\r\n\r\n
    \r\n\t
  • Tertiary qualified in Information Technology, Cyber, Computer Science, Analytics and Data Science, Integration or CX/UX Design
  • \r\n\t
  • Able to manage multiple priorities and deadlines
  • \r\n\t
  • Environmentally and socially responsible
  • \r\n\t
  • A team player, motivated and willing to learn
  • \r\n\t
  • Able to think laterally and to provide input to innovative solutions to complex problems
  • \r\n\t
  • Able to work well with others
  • \r\n\t
  • A clear communicator
  • \r\n\t
  • Appreciative and sensitive to difference and diversity
  • \r\n\t
  • An Australian permanent resident or an Australian or New Zealand citizen
  • \r\n\t
  • A University Graduate or Graduating at the end of 2025
  • \r\n
\r\n\r\n

Who we are 

\r\n\r\n

At Transgrid, our work improves the lives of millions – from lighting up sports fields, schools and homes, to powering the wheels of commerce and everything else in between. Now it’s your turn to make it happen. 
\r\n
\r\nTransgrid offers fulfilling careers for driven people who can help ensure that our business and the essential services we provide to consumers, the community and key stakeholders are continually improving. With us you will thrive in a collaborative environment where new ideas and knowledge sharing are encouraged, and where you’ll be supported through opportunities to develop and achieve your full potential.
\r\n
\r\nThis is an exciting time in the energy industry with the transition to renewable energy. Recent government policy documents outline plans to facilitate increasing transmission interconnection between states and the development of renewable energy zones.
\r\n
\r\nJoin us and make it happen for your career, and for the millions of Australians who rely on our services every day. 

", - "company": { - "name": "Transgrid", - "website": "https://au.prosple.com/graduate-employers/transgrid", - "logo": "https://connect-assets.prosple.com/cdn/ff/WvIChGB6nmaxX5hgADntd_C31gRDbPexrkSJrgrMQo8/1633148305/public/styles/scale_and_crop_center_80x80/public/2021-10/1633070980720_Sqaure%20logo.JPG" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/transgrid/jobs-internships/graduate-program-it-and-cyber" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ac" - }, - "title": "STEP Intern, Student Training in Engineering Program", - "description": "

Google is invested in increasing the number of future computer scientists and software developers, particularly those who are historically underrepresented in the field. The Student Training in Engineering Program (STEP) aims to bridge the gap between academic studies and a professional internship. The 12-week program offers students the opportunity to work on a software project alongside other STEP interns, with the support of full-time Googlers and a mentor. You will also attend weekly trainings to enhance your technical and professional skills.

\r\n\r\n

Google is and always will be an engineering company. We hire people with a broad set of technical skills who are ready to address some of technology's greatest challenges and make an impact on millions, if not billions, of users. At Google, engineers not only revolutionize search, they routinely work on massive scalability and storage solutions, large-scale applications and entirely new platforms for developers around the world. From Google Ads to Chrome, Android to YouTube, Social to Local, Google engineers are changing the world one technological achievement after another.

", - "company": { - "name": "Google AU", - "website": "https://au.prosple.com/graduate-employers/google-au", - "logo": "https://connect-assets.prosple.com/cdn/ff/7e-DvdKyAq7vvrkzobK5e6nJtVss9eDEHBghFgK4DLo/1569257436/public/styles/scale_and_crop_center_80x80/public/2019-06/Google_Logo_120x120.png" - }, - "application_url": "https://www.google.com/about/careers/applications/jobs/results/136334660872348358-step-intern-student-training-in-engineering-program-2024?src=Online%2FGoogle%20Website%2FByF&utm_source=Online%20&utm_medium=careers_site%20&utm_campaign=ByF&distance=50&employment_type=INTERN&location=Australia&location=New%20Zealand&company=Fitbit&company=Google&utm_source=partnership&utm_medium=website&utm_campaign=anz-campus-techcareersession-q1-2024&src=Online/TOPs/careersonair-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/google-australia/jobs-internships/step-intern-student-training-in-engineering-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ad" - }, - "title": "Technology Graduate Program", - "description": "

This is a unique and exciting time to be part of one of the Technology teams at Western Power, spanning across Digital Products, Cyber Security, Tech & Data Services, and Changing Energy. We are at the forefront of the energy transition in leveraging existing and new technologies, including microgrid, stand-alone power systems (SPS), battery storage solutions, and incorporating increased levels of renewable energy such as roof top solar into the energy system. We're transforming the electricity network ensuring a cleaner, brighter, and more resilient energy supply for the next generation.  

\r\n\r\n

We're also working hard on enabling the decarbonisation of the energy system by converting more of our energy consumption to electricity, including electric vehicles as well as other initiatives to enable industry sectors to reduce emissions by making the switch. 

\r\n\r\n

We believe Technology is the best place to be in Western Power because it’s not often you get the chance to establish a whole new capability within a large organisation in WA. 

\r\n\r\n

The transition to the energy system of the future is reliant on innovations in digital technology to: 

\r\n\r\n
    \r\n\t
  • Monitor, control and operate the network.
  • \r\n\t
  • Provide seamless service to our customers and ease connecting to the grid.
  • \r\n\t
  • Model, forecast and optimise the design of the network and get the most from our assets.
  • \r\n\t
  • Engage with our employees, make work in the field and the office easier and more enjoyable.
  • \r\n\t
  • Create efficiencies in our operations while keeping our people in the field, who cover vast distances, connected.
  • \r\n\t
  • Manage all aspects of our business for today and hereafter.
  • \r\n
\r\n\r\n

We will have some exciting opportunities for Technology Graduates in Perth on a two-year max-term contract.  This is your opportunity to be part of securing Western Australia’s critical infrastructure – safeguarding our journey to a greener, more sustainable energy future.  

\r\n\r\n

Program detail:

\r\n\r\n
    \r\n\t
  • Acquire a broad understanding of Western Power’s operations through rotational exposure across our business
  • \r\n\t
  • Two-year program (4 x 6 monthly rotations), you will develop knowledge about Western Power’s data and advanced analytics systems (potentially including machine learning and artificial intelligence), IT service management, cloud technologies, and improved digital experience for customers and employees. You’ll apply this knowledge to solve a wide range of business and engineering problems.
  • \r\n\t
  • Throughout your rotations you will also attain competencies and experience that will position you for rapid advancement as a Business Technology professional..
  • \r\n
\r\n\r\n

What we’re looking for:

\r\n\r\n

To be successful, you’ll have the following skills and attributes: -

\r\n\r\n
    \r\n\t
  • A degree in computer Science (including Computer Systems Engineering), Data Science/Data Analytics, Information Technology or Science (Computer Science/Data Science/Information Technology/Mathematical Science).
  • \r\n\t
  • Enthusiastic approach to learning opportunities, including seeking and accepting feedback to enhance your own development and experience.
  • \r\n\t
  • Excellent communication and interpersonal skills and willing to work with a diverse range of people.
  • \r\n\t
  • Constructive behaviours in line with Western Power values.
  • \r\n\t
  • Motivation and commitment to complete the graduate program.
  • \r\n\t
  • Commitment to safety in the workplace.
  • \r\n\t
  • Reside in WA and be either an Australian Citizen or Permanent Resident.
  • \r\n
\r\n\r\n

What’s it like to work here? 

\r\n\r\n

Our people play a vital role in creating an innovative, safe, and supportive workplace, living our values, and delivering exceptional service to the communities in which we operate.

\r\n\r\n

We are committed to building a diverse workforce and strongly encourage applications from Aboriginal and Torres Strait Australians, people with disabilities, people from diverse cultural and linguistic backgrounds, women, young & mature age workers, the LGBTQI+ community.

\r\n\r\n

We are an employer of choice, offering our employees a range of benefits that include:

\r\n\r\n
    \r\n\t
  • Competitive salary plus 11% superannuation.
  • \r\n\t
  • Flexible work arrangements that support part time work, flexible working hours and working from home arrangements.
  • \r\n\t
  • Professional Development opportunities including training initiatives and study assistance.
  • \r\n\t
  • An award-winning employee recognition and benefits programme.
  • \r\n\t
  • Access to five Employee Network Groups – First Nations, Culturally and Linguistically Diverse, Diverse Sexualities and Genders, Women, and People with Disability– which celebrate and communicate the diversity of our workforce and connect diversity and inclusion to our broader business activities.
  • \r\n\t
  • The opportunity to purchase up to four weeks of additional leave per financial year.
  • \r\n\t
  • Access to salary packaging, social club activities, and discounted health insurance and gym membership.
  • \r\n
\r\n\r\n

We are committed to our Disability Access and Inclusion Plan 2021 - 2025 and ensuring that people with disability have equal opportunities to gain and maintain employment with Western Power. It is strongly encouraged that people with a disability who meet the inherent requirements of the position description pre-register for this role.

\r\n\r\n

We are also proud to be launching our Innovate Reconciliation Action Plan this year.  Our Innovate RAP outlines our commitment to the Reconciliation journey in WA.

\r\n\r\n

Residency Requirements:

\r\n\r\n
    \r\n\t
  • Australian Citizens and Permanent Residents only (including New Zealand Citizens) or those with valid working visa
  • \r\n\t
  • If you are in possession of a current Graduate/Student visa valid for up to three years and your course of study is on the Graduate
  • \r\n\t
  • Occupation list as per the below link, you are able to apply for our graduate program: https://visaenvoy.com/new-priority-migration-skilled-occupation-list-announced/
  • \r\n
\r\n\r\n

We will let you know once this opportunity opens!

\r\n\r\n

Our recruitment process requires that all candidates who progress to the pre-employment stage must hold a police clearance issued within six months of the date of their application. 

\r\n\r\n

Join us and play a part in powering the future of Western Australia.

", - "company": { - "name": "Western Power", - "website": "https://au.prosple.com/graduate-employers/western-power", - "logo": "https://connect-assets.prosple.com/cdn/ff/jv4GJ_EzC8QbAQaso9GsmD8w0xeLFkMIFBJKHqvkaiY/1572588664/public/styles/scale_and_crop_center_80x80/public/2019-10/Logo-WesternPower-240x240-2019.jpg" - }, - "application_url": "https://careers.westernpower.com.au/job-invite/79071/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/western-power/jobs-internships/technology-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ae" - }, - "title": "2025 Software Development Engineer, AWS - Graduate", - "description": "Amazon AWS is looking for passionate Graduate Software Development Engineer (SDE) to join our Sydney team ASAP", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2751335/software-development-graduate-2025-aws", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-software-development-engineer-aws-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-01T14:00:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Computer Science", - "Engineering - Software", - "Information Technology" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4af" - }, - "title": "Graduate Platform R&D Engineer", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

About the Team

\r\n\r\n

At TikTok, the Efficiency Engineering team optimizes our video architecture, ensuring unparalleled quality and performance. Part of the Video Architecture Quality Assurance department, we develop platforms and tools that enhance efficiency and product quality, while attracting customers through cost optimization and exceptional user experiences. Our team comprises Data Application, Laboratory Engineering, and Efficiency R&D, delivering value through strategic analysis, multimedia quality evaluation, and business governance. We harness technology to solve complex problems, boost efficiency, and drive business development. Join us to innovate, optimize, and make a real difference in the world of multimedia technology.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Analyze business processes to identify optimization opportunities and leverage technology to drive solutions.
  • \r\n\t
  • Own the architecture design, development, deployment, and continuous improvement of the VOD (Video On Demand) quality platform and other tool platforms that enhance business efficiency.
  • \r\n\t
  • Research and evaluate new technologies, promoting the adoption of suitable technologies in platform development to deliver greater business value.
  • \r\n\t
  • Monitor, trace, and locate issues within the project, ensuring timely resolution and minimal impact on operations.
  • \r\n\t
  • Provide strategic recommendations for product improvements to create an exceptional user experience and enhance project efficiency.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Bachelor's degree in Information Technology, Computer Science or relevant.
  • \r\n\t
  • Solid experience in data structures and algorithms.
  • \r\n\t
  • Demonstrated coding skills in at least one programming language, including Java/C++/Python/Go etc.
  • \r\n\t
  • Have a solid foundation in the application of networks, storage, and operating systems, possess good logical and critical thinking abilities.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Have a precise and comprehensive understanding of common engineering components, and have a profound understanding of system performance, availability, scalability, and other aspects.
  • \r\n\t
  • Have strong ability in analyzing and solving system problems.
  • \r\n\t
  • Have a strong sense of responsibility for software products, have good communication skills and excellent teamwork skills.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7373593261402097971?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-platform-rd-engineer-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b0" - }, - "title": "Forensic Technology Graduate Program", - "description": "

Think Beyond

\r\n\r\n

Join KordaMentha where you can make a real difference from day one.

\r\n\r\n

Through our award-winning graduate program, customise your career pathway. Forget the standard rotational program and start immediately in one of our specialist areas. With opportunities to work on interesting and varied engagements, all doors are open to help you shape your journey. Experience tailored support, expert mentoring, study assistance and training and the freedom to achieve your career goals.

\r\n\r\n

Whatever your passion, create your career path with KordaMentha.

\r\n\r\n

Your opportunity: Forensic Technology

\r\n\r\n

Our forensic technology services encompass data capture and collection, digital information analysis and eDiscovery. Using cutting-edge technology and rigorous forensic processes, we uncover, analyse and clarify the facts by blending and visualising data sets, driving commercially focused decision-making.

\r\n\r\n

This is your opportunity to work alongside our experts on some of the highest-profile matters across the Asia-Pacific region. 

\r\n\r\n

What you'll be doing

\r\n\r\n

As a graduate of our forensic technology group, you'll be part of a diverse team and will learn the specialist skills and methodologies to become an expert in digital forensics and forensic discovery.

\r\n\r\n

While no two days will be the same, you can expect to:

\r\n\r\n
    \r\n\t
  • work in a high-tech forensic laboratory using cutting-edge equipment
  • \r\n\t
  • conduct forensic imaging of computers and other electronic devices (e.g. flash media, smartphones) to find and secure evidence
  • \r\n\t
  • conduct digital aspects of investigations alongside our expert investigators
  • \r\n\t
  • research new opportunities and assist with the preparation of proposals
  • \r\n\t
  • attend training courses to keep up to date with industry-leading software
  • \r\n\t
  • attend events and other marketing activities
  • \r\n
\r\n\r\n

But it's not all about work. You'll be given a buddy to help you navigate office life as you settle in. You'll choose a mentor who will help guide your career. We host regular events and activities, bringing together our close-knit team in a friendly and relaxed environment so you can get to know the people behind the professionals. You'll also become a member of Accelerate, our young professional networking group.

\r\n\r\n

About you

\r\n\r\n

You will be a recent graduate or student in your final year of study and will have:

\r\n\r\n
    \r\n\t
  • an IT, computer science or law degree with strong academic results.
  • \r\n\t
  • excellent analytical and technical skills, with an ability to think outside the box.
  • \r\n\t
  • strong written skills.
  • \r\n\t
  • great communication skills and enjoy working in a team.
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only).
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://kordamentha.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=768039", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/forensic-technology-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b1" - }, - "title": "STAR (Student Training and Rotation) Program Intern (VT/STAR) - Melbourne - Sales", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in a 2-year rotational program across various business areas.
  • \r\n\t
  • Work part-time during the academic year and full-time during breaks.
  • \r\n\t
  • Engage in networking, customer communication, and project management.
  • \r\n\t
  • Receive structured development, coaching, and mentoring.
  • \r\n\t
  • Interact with managers, leaders, and executives.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • Studying Degree(s) in Business, perhaps with an IT major although other academic backgrounds will be considered.
  • \r\n\t
  • Finishing their studies no earlier than the end of 2025.
  • \r\n\t
  • Able to work at least 2 days per week during the semester (3 days preferred).
  • \r\n\t
  • High calibre, self-motivated individuals with excellent communication skills in English.
  • \r\n\t
  • Interest in technology and digital solutions.
  • \r\n\t
  • Problem-solving abilities and a proactive, open-minded approach.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

The program offers a paid internship with flexible working hours, opportunities for academic credit, and a collaborative team environment.

\r\n\r\n

Training & development

\r\n\r\n

Participants will benefit from on-the-job training, mentorship, and opportunities to build a professional network early in their careers.

\r\n\r\n

Career progression

\r\n\r\n

Upon completion, candidates can apply for Academy Positions and permanent roles within the company, enhancing their career prospects.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application, including your resume and cover letter. Indicate any need for accommodation or assistance in your application.

", - "company": { - "name": "SAP Australia", - "website": "https://au.prosple.com/graduate-employers/sap-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/PRjT4gwk7aDZ76qxYnFGbijKvC-OuX-fTazhWq74lvw/1592135831/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-sap-240x240-2020.jpg" - }, - "application_url": "https://sap.valhalla.stage.jobs2web.com/job/Melbourne-VIC-STAR-%28Student-Training-and-Rotation%29-Program-Intern-%28VTSTAR%29-Melbourne-3004/120752750/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sap-australia/jobs-internships/star-student-training-and-rotation-program-intern-vtstar-melbourne-sales" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b2" - }, - "title": "Global Transaction Services Graduate Program", - "description": "

Our Organisation

\r\n\r\n

As Australia’s first bank and oldest company, the Westpac Group—which started life as the Bank of New South Wales in 1817—represents a central, unbroken thread that runs through Australian history. It has survived and thrived because it has been guided by the same purpose over the years: to provide stability, support customers and communities, and help grow the economy. 

\r\n\r\n

Westpac Institutional Bank (WIB) delivers a broad range of financial services to commercial, corporate, institutional and government customers operating in, and with connections to, Australia and New Zealand.  

\r\n\r\n

When you join Westpac Group, you’ll be empowered to make a difference, speak your truth and discover what success means to you. But best of all you’ll be joining a whole organisation of people who love helping others find their success. 

\r\n\r\n

Our Grad Program

\r\n\r\n

We’re looking to fill our programs with original thinkers and innovators from all degrees of study.  Challenging and rewarding – our programs will get your career off to a flying start.

\r\n\r\n

Eligibility

\r\n\r\n

You must be an Australian or New Zealand Citizen OR an Australian Permanent Resident, AND be in your final year of study for a university degree OR completed an undergraduate or postgraduate degree no more than 3 years ago.

\r\n\r\n

You’ll need to be available to start with us as a permanent employee in February 2026.  

\r\n\r\n

Our Global Transaction Services Grad Program

\r\n\r\n

GTS is a key pillar of Westpac’s Institutional Bank. GTS services the cash management and working capital needs of corporate, institutional and government clients. It is a critical source of funding for the Institutional Bank balance sheet enabling the extension of our key credit products. GTS also manages the payments infrastructure for all of Westpac Group.

\r\n\r\n

Day-to-day GTS is responsible for implementing transactional banking solutions for new clients, partnering with existing clients to expand their existing cash management solutions, raising deposits to fund the WIB balance sheet, and ensuring the Group’s domestic and cross-border payments execute seamlessly. 

\r\n\r\n

This is a 12-month program comprising of several rotations. Rotation areas in previous years have included:  

\r\n\r\n

Product Management: International Payments – Management of Westpac Group's cross-border payments including daily processing, P&L ownership, risk management, and regulatory reporting.

\r\n\r\n

Client Engagement: Relationship Management & Client Service - Relationship ownership and sales of GTS's cash management products and services including payables, receivables and liquidity solutions, as well as servicing support of existing client needs.

\r\n\r\n

Chief Operating Office: Strategy, Transformation and Business Management – Delivery of GTS Leadership Team strategic priorities, support to GTS COO with business management duties, and support for the day-to-day administration of the GTS Line of Business.

\r\n\r\n

 Future career opportunities within GTS could span across cash management providers including Sales, Product, Business Management, Risk and Client Service. 

\r\n\r\n

Students from all disciplines are welcome to apply with successful applicants having a strong interest in innovation, solution development/design and a commitment to delivering positive customer outcomes.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://ebuu.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/46575", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/global-transaction-services-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-05T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b3" - }, - "title": "Business Analyst and Project Management Graduate Programme", - "description": "Join our Graduate Programme in our Change and Transformation Practice and play a pivotal role in supporting and overseeing critical change initiatives within organisations.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/841/hong-kong--change-and-transformation-practice.html?utm_source=gradconnection&utm_medium=profile&utm_campaign=start_date_push&utm_content=hongkong", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-business-analyst-and-project-management-graduate-programme-7" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T11:34:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b4" - }, - "title": "Data/Business Analyst Internship Program 2025", - "description": "Our host company partner has progressively decommissioned physical servers as services have been moved to the Microsoft cloud. They seek a data analyst who can help with the planning, management and migration to the SharePoint platform.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-data-analyst-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-databusiness-analyst-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology", - "Mathematics" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b5" - }, - "title": "Graduate Recruitment Consultant – Legal & Regulatory", - "description": "Larson Maddox is a specialist talent partner securing professionals to help solve regulatory and legal challenges.", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-graduate-recruitment-consultant-legal-regulatory-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b6" - }, - "title": "Summer Internship Program", - "description": "

The Kearney Summer Internship allows you to spend ten weeks with the firm, experiencing what it is like to be a management consultant. Our Internship Program is an immersive hands-on experience and will see you work with some of the best consultants in the industry on real projects with real clients.

\r\n\r\n

While with us, you will experience consulting in a uniquely collegial way. We work together to not only provide our clients with the best results, but we work together so every colleague, including Summer Interns, is given full and ready access to a suite of training modules and workshops to help them learn and grow.

\r\n\r\n

About Kearney

\r\n\r\n

Kearney is a leading global management consulting firm with more than 4,200 people working in more than 40 countries. We work with more than three-quarters of the Fortune Global 500, as well as with the most influential governmental and non-profit organizations.

\r\n\r\n

Kearney is a partner-owned firm with a distinctive, collegial culture that transcends organizational and geographic boundaries—and it shows. Regardless of location or rank, our consultants are down-to-earth, approachable, and have a shared passion for doing innovative client work that provides clear benefits to the organizations we work with in both the short and long term.

\r\n\r\n

Kearney SOP, a specialist unit within Kearney, has a focus on procurement and supply chain, helping companies move to a sustainably lower cost base, transform their supply management practices, adopt innovative operating models, and understand how collaboration technology can be used to achieve strategic objectives. 

\r\n\r\n

What We Seek

\r\n\r\n

We are looking for individuals who:

\r\n\r\n
    \r\n\t
  • Enjoy a challenge;
  • \r\n\t
  • are motivated and passionate;
  • \r\n\t
  • are creative thinkers;
  • \r\n\t
  • Thrive in a team working environment; and
  • \r\n\t
  • Have an interest in consulting.
  • \r\n
\r\n\r\n

Kearney’s Summer Internship Program is open to penultimate year undergraduate students and final year undergraduate students from all disciplines.  

\r\n\r\n

Applicants must have full and permanent working rights in Australia to be considered.

\r\n\r\n

Apply now

\r\n\r\n

Applicants are asked to submit their CV and academic transcripts (unofficial copies are acceptable) via our website.

\r\n\r\n

No late or partial applications will be accepted, so ensure you submit your CV, and transcript and finalise your application by the deadline.  

\r\n\r\n

Recruitment Process

\r\n\r\n

We will continue to hold Assessment Days for all internship recruitment. Our Assessment Days are a fun, interactive and engaging introduction to management consulting, where candidates spend half a day working both individually and as a group to help solve a problem inspired by the real-life work examples of what we do at Kearney.

\r\n\r\n

Like us on Facebook “Kearney Australia and New Zealand” to be kept up to date with the latest information and happenings around the ANZ unit.

", - "company": { - "name": "Kearney", - "website": "https://au.prosple.com/graduate-employers/kearney", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8VwgkVtVdmRWu6uolU5WIxm1-3gZBTeN8VdfwiL4LM/1691624390/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-%20Kearney%20-480x480-2023.png" - }, - "application_url": "https://kearney.taleo.net/careersection/033/jobdetail.ftl?job=005LO", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kearney/jobs-internships/summer-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-09-08T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b7" - }, - "title": "Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n\t
  • Artificial intelligence, automation development.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Well, that depends on where you land in the Queensland Government. We have quite a few agencies participating in the program. You could get an offer for employment from one or a few departments. 

\r\n\r\n

You will have a range of opportunities to work on and as you will be joining Queensland’s largest employer the opportunities to travel, grow and move up the ladder are endless.

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/digital-graduate-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b8" - }, - "title": "Graduate Machine Learning Engineer (Trust & Safety)", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Our Trust and Safety engineering team is responsible for developing state-of-the-art machine learning models and algorithms to protect our platform and users from bad content and abusive behaviors. With the continuous efforts from our trust and safety team, TikTok is able to provide the best user experience and bring joy to everyone in the world.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

As a Machine Learning Engineer, you'll have the chance to work with our clients and teams to address key business problems and identify areas of growth for the company. With your education and experience, you will be able to take on real-world challenges from day one.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Work with our world-class engineers to build industry-leading trust and safety systems for TikTok
  • \r\n\t
  • Develop and build up highly-scalable classifiers, tools, models and algorithms leveraging cutting-edge machine learning, computer vision and data mining technologies
  • \r\n\t
  • Improve our trust and safety strategy and work on model iterations
  • \r\n\t
  • Collaborate with cross-functional teams to protect TikTok globally
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Currently pursuing your PhD or Master degree in Computer Science or related engineering field.
  • \r\n\t
  • Solid knowledge in at least one of the following areas: machine learning, pattern recognition, NLP, data mining, or computer vision
  • \r\n\t
  • Firm understanding of data structures and algorithms
  • \r\n\t
  • Great communication and teamwork skills
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passion about techniques and solving challenging problems
  • \r\n\t
  • Previous experience in applications of machine learning, pattern recognition, NLP, data mining, or computer vision
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7330868633084659978?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-machine-learning-engineer-trust-safety-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4b9" - }, - "title": "Data + Computer Science Summer Internship", - "description": "

Arup’s Summer Vacation Programme is a 12-week-long, paid internship opportunity tailored for students in their penultimate year across Australia and New Zealand during their summer university break. On completion, you will automatically be considered for a graduate role, putting you ahead of the graduate pack.

\r\n\r\n

If you’re currently studying, now is the best time to get a glimpse of where your career could take you.

\r\n\r\n

About Our Programme 

\r\n\r\n

As a Summer Vacation Student, you will take part in curated learning content, helping equip you with valuable skills that will help you as you embark on your career!

\r\n\r\n

The curated learning workshops will help you: 

\r\n\r\n
    \r\n\t
  • Develop your career by building your professional presence and employability skills
  • \r\n\t
  • Learn strategies to manage challenges in the workplace
  • \r\n\t
  • Unlock your potential using a growth mindset
  • \r\n\t
  • Think towards your future by exploring career pathways and direction
  • \r\n
\r\n\r\n

A highlight of the programme is the sustainable development group project. You and your team of vacation students will work together to solve a sustainability challenge. You’ll have the chance to showcase your creativity and innovation, putting your studies to use.

\r\n\r\n

Eligibility Criteria:

\r\n\r\n
    \r\n\t
  • Candidates are required to have full working rights in the country they are applying for.
  • \r\n\t
  • Candidates must currently be undertaking a relevant degree
  • \r\n\t
  • Availability to work full-time over the summer university break (November – February)
  • \r\n
\r\n\r\n

Arup’s Early Careers Programmes 

\r\n\r\n

Arup’s Early Careers Programmes have been recognised nationally as some of the best! You can expect to join our extraordinary collective and work on real-life projects whilst receiving top-notch learning and development opportunities. 

\r\n\r\n

A future with purpose

\r\n\r\n

At Arup, we’re dedicated to sustainable development and doing socially useful work that has meaning. Our purpose, shared values and collaborative approach have set us apart for over 75 years, guiding how we shape a better world.

\r\n\r\n

We solve the world's most complex problems and deliver what seems impossible. We explore challenges with curiosity and creativity - using technology, imagination, and rigour to deliver remarkable outcomes.

\r\n\r\n

Different people, shared values

\r\n\r\n

Arup is an equal-opportunity employer that actively promotes and nurtures a diverse and inclusive workforce. We welcome applications from individuals of all backgrounds and embrace diverse experiences, perspectives, and ideas – this drives our excellence. 

\r\n\r\n

We are committed to making our recruitment process and workplaces accessible to all candidates. You may request assistance or reasonable adjustments during the application form so that we can support you best.

\r\n\r\n

Is this role right for you?

\r\n\r\n

We’re looking for creative, diverse, and energetic students with passion for sustainable development to join our Summer Vacation Programme.

\r\n\r\n

At Arup, you belong to an extraordinary collective – in which we encourage individuality to thrive. If you can share your knowledge and ideas and encourage others to do the same; whilst having a desire to deliver excellent services for clients – we’d like to hear from you.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Arup Australia", - "website": "https://au.prosple.com/graduate-employers/arup-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/gL1SnxDWKt-lFap9C_pWPPiPBPthze5bwTf_vKCALkM/1673230937/public/styles/scale_and_crop_center_80x80/public/2023-01/logo-arup-480x480-2023.png" - }, - "application_url": "https://2425summervacationprogrammeaunz-arup.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/arup/jobs-internships/data-computer-science-summer-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-13T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ba" - }, - "title": "Summer Vacation Program", - "description": "

Our 12-week program provides you with: 

\r\n\r\n
    \r\n\t
  • The chance to be assessed for a position in our Graduate Development Program
  • \r\n\t
  • Insight into our culture and exposure to our top professionals
  • \r\n\t
  • Valuable and extensive on-the-job work experience
  • \r\n\t
  • Practical experience to build on your theoretical knowledge
  • \r\n\t
  • The support of a graduate buddy and your supervisor
  • \r\n\t
  • You might even see our operations first-hand through placement in Karratha or a potential site visit to any of our operations.
  • \r\n
\r\n\r\n

Woodside led the development of the LNG industry in Australia and we are applying the same pioneering spirit to solving future energy challenges.

\r\n\r\n

We're seeking students completing university study, for 12 weeks of paid work experience this summer.

\r\n\r\n

We're a proud top-ten student employer, offering meaningful work, early consideration for our graduate program, and a welcoming student community.

\r\n\r\n

What our Vacation Students can expect

\r\n\r\n

See first-hand what it is like to work at Australia's leading natural gas producer prior to graduation.  Gain insight into working within an innovative and dynamic multi-disciplined organisation.

\r\n\r\n

Eligibility & How to Apply

\r\n\r\n

Our Summer Vacation Program is designed for students completing their university studies in Australia and for Australian's furthering their study internationally. 

\r\n\r\n

You are eligible to apply to our Summer Vacation Program if you are:

\r\n\r\n
    \r\n\t
  • An Australian or New Zealand citizen or an Australian permanent resident.
  • \r\n\t
  • An international student currently studying and residing in Australia with unrestricted Australian working rights over the summer vacation period.
  • \r\n\t
  • You can be studying an undergraduate, Honours, Post Graduate, Masters or PHD.
  • \r\n\t
  • In your penultimate (second to last) or final year of university.
  • \r\n\t
  • We are looking for students who have a passion for learning and can demonstrate academic ability.
  • \r\n
\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Woodside Energy", - "website": "https://au.prosple.com/graduate-employers/woodside-energy", - "logo": "https://connect-assets.prosple.com/cdn/ff/SmVEmcBh5dU9HRYF5hymILFf11cVOFT_KgHRDHY4VO8/1718865999/public/styles/scale_and_crop_center_80x80/public/2024-06/logo-woodside-energy-480x480-2024.jpg" - }, - "application_url": "https://www.woodside.com/careers/graduates-and-students", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/woodside-energy/jobs-internships/summer-vacation-program-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-31T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4bb" - }, - "title": "Arts/Indigenous Studies Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/artsindigenous-studies-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4bc" - }, - "title": "Cyber Graduate Program", - "description": "

McGrathNicol is a specialist advisory and restructuring firm, helping businesses improve performance, manage risk, and achieve stability and growth. 

\r\n\r\n

Our Cyber team specialise in working with clients to proactively manage technology and information security risks. We help set governance strategies, design frameworks and respond to time critical cyber and privacy related matters. As a Graduate, you will be exposed to all aspects of our cyber services such as:

\r\n\r\n

(1) Cyber Risk – Providing expert advice that extends beyond the theory, and working to roadmap, design and deliver practical initiatives that build ongoing security capability in organisations;

\r\n\r\n

(2) Digital Forensic – Conducting forensic imaging of computers, mobiles and technology to preserve, collect and analyse as part of a detailed forensic process for disputes and investigations;

\r\n\r\n

(3) eDiscovery – Handling critical and sensitive data in legal proceedings, including data collection, preservation and processing large file sets;

\r\n\r\n

(4) Incident Handling and Response – Experience incident response and crisis management in high paced environments, to effectively resolve cyber incidents and implement improvements for the future; and

\r\n\r\n

(5) Information Security – Challenging your technical and written skills in penetration testing and vulnerability management, security risk assessments and developing fundamental security initiatives to clients.

\r\n\r\n

What we offer you

\r\n\r\n
    \r\n\t
  • We offer a unique opportunity to work closely with senior staff and Partners, learning and gaining valuable insights from some of the best in the industry. You will also have a Buddy, Counselling Manager and Counselling Partner dedicated to supporting and investing in you from day one.
  • \r\n\t
  • Our people are passionate, driven, inclusive and collaborative. Continuous development is engrained in our culture and we have robust development and reward frameworks to support performance and progression, including tailored formal training throughout your career to complement real-time coaching and feedback.
  • \r\n\t
  • Our Graduate Development Program is expertly designed to provide you with the technical knowledge and professional skills you need to launch your career at McGrathNicol. Over the course of your first 12 months, you will build a deep understanding of the firm and develop strong relationships with your national graduate cohort through a mix of online and in-person sessions, including key intensive 'grad camp' events throughout the year.
  • \r\n\t
  • We work and celebrate as a team. Build connections by working across our services, attending regular social events and participating in firm-organised charity days, retreats and wellbeing initiatives.
  • \r\n
\r\n\r\n

Who you are

\r\n\r\n
    \r\n\t
  • either an Australian / New Zealand Citizen or Australian Permanent Resident at the time of submitting your application (except for our Canberra office, for which you must be an Australian Citizen);
  • \r\n\t
  • in your final year of (or recently graduated with) a STEM or Information Technology / Cyber related degree; and
  • \r\n\t
  • available to commence full-time work in February 2026.
  • \r\n
\r\n\r\n

Interested? 

\r\n\r\n

Pre-register now to get notified when the opportunity is open. If you would like further information, please contact our national HR team.

", - "company": { - "name": "McGrathNicol", - "website": "https://au.prosple.com/graduate-employers/mcgrathnicol", - "logo": "https://connect-assets.prosple.com/cdn/ff/qkRtYvrlqcH29nFwt30_QSZ_GTUAWYfH6Y_knAHlTBg/1565765303/public/styles/scale_and_crop_center_80x80/public/2019-08/Logo-McGrathNicol-240x240-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mcgrathnicol/jobs-internships/cyber-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "WORK_VISA", - "NZ_CITIZEN" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4bd" - }, - "title": "Graduate Hire 2024/25 - SRE/Security Engineer", - "description": "The Supernova Program is a 3-year Career Accelerator Program that aims to fast-track young, high performing graduates into technical experts and future leaders mainly in the fields of Product Engineering, Product Management, and Product Design.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6093936003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-sresecurity-engineer-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4be" - }, - "title": "Game Design Intern", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Plan, implement and refine game content.
  • \r\n\t
  • Develop and maintain design documentation.
  • \r\n\t
  • Introduce new mechanics, story ideas, and features.
  • \r\n\t
  • Collaborate with cross-discipline teams.
  • \r\n\t
  • Stay accountable for task progress.
  • \r\n\t
  • Provide and receive constructive feedback on designs.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • Experience with MS Office (Excel, Word) and Visio.
  • \r\n\t
  • Familiarity with software development and tools.
  • \r\n\t
  • Skills in developing design documentation.
  • \r\n\t
  • Broad knowledge of multiple game genres and platforms.
  • \r\n\t
  • Interest in game design trends and products.
  • \r\n\t
  • Basic understanding of programming or scripting languages like LUA, Perl, or JavaScript.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive package including an employee assistance program, inclusive parental leave, 17.5% annual leave loading, bonus end-of-year leave days, volunteer leave, and a flexible work reimbursement program. Additional perks include team events, unique merchandise, and access to the employee stock purchase program.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from professional growth opportunities, including structured hybrid work, quarterly team events, and development days every six weeks, featuring a Game Jam and end-of-year party.

\r\n\r\n

Career progression

\r\n\r\n

This internship prepares you for a professional career in the gaming industry, offering valuable experience and potential advancement within EA or the broader gaming sector.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by completing the necessary forms and providing all required documentation.

\r\n\r\n

Report this job

", - "company": { - "name": "Electronic Arts (EA)", - "website": "https://au.prosple.com/graduate-employers/electronic-arts-ea", - "logo": "https://connect-assets.prosple.com/cdn/ff/TZKvKts8YI_4V1Q4imnBptrIkGFtLRGTBA8aTF-G12E/1617776623/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-electronics-art-480x480-2021.jpg" - }, - "application_url": "https://jobs.ea.com/en_US/careers/JobDetail/Game-Design-Intern/206701", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/electronic-arts-ea/jobs-internships/game-design-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Creative Arts", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4bf" - }, - "title": "Financial Crime Vacationer Program", - "description": "

Think Beyond.

\r\n\r\n

Join KordaMentha where you can make a real difference from day one.

\r\n\r\n

Each year, we run a vacationer program during the summer university break. We recruit a select number of high-performing students in their second to last year of their degree for either a four- or eight-week work placement.

\r\n\r\n

Whatever your passion, explore your career path with KordaMentha.

\r\n\r\n

Your Opportunity.

\r\n\r\n

With emerging threats and vulnerabilities across all sectors, clients engage our experts across all financial crime disciplines, including anti-money laundering (AML), counter-terrorism financing (CTF), fraud, anti-bribery and corruption, sanctions and modern slavery. Leveraging our extensive knowledge of Australian and international AML/CTF legislation and sanctions regulations, we assist clients to transform their compliance programs and investigate instances of suspected breaches.

\r\n\r\n

Working alongside our Financial Crime experts, this is your opportunity to gain valuable experience across risk management, regulatory compliance and investigations. Make a real impact as, together, we help clients navigate the complexities of financial crime regimes and ensure businesses understand what they need to do to protect themselves and the community against financial crimes.

\r\n\r\n

What you'll be doing

\r\n\r\n

As a financial crime professional, you will be helping organisations to protect themselves and the community against financial crimes. Typically, this involves, assisting organisations in identifying their financial crime risk and applying risk-based controls having regard to their nature, size and complexity.

\r\n\r\n

While your opportunities will be limitless, you can expect to work on a wide variety of projects including, AML/CTF independent reviews, audits, expert opinions and our Compliance Counsel service.

\r\n\r\n

Some of the work might include the following:

\r\n\r\n
    \r\n\t
  • assist with the test phase of an Independent Review
  • \r\n\t
  • conduct research on current issues and trends
  • \r\n\t
  • attend client and internal meetings
  • \r\n\t
  • write engagement letters and proposals
  • \r\n\t
  • develop Financial Crime credentials
  • \r\n\t
  • assist with business and practice development.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

You will be in your penultimate year of study and will have:

\r\n\r\n
    \r\n\t
  • a razor-sharp eye for detail and advanced critical thinking skills.
  • \r\n\t
  • excellent analytical skills, with an ability to think outside the box.
  • \r\n\t
  • a confident personality who enjoys working in a team.
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only).
  • \r\n\t
  • strong written skills.
  • \r\n\t
  • great communication skills and enjoy working in a team.
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://kordamentha.bigredsky.com/page.php?pageID=160&windowUID=0&AdvertID=768027", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/financial-crime-vacationer-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c0" - }, - "title": "Store Support Centre Graduate - Pre-register", - "description": "

We are on the lookout for graduates to join Coles as part of our Store Support Centre (SSC) Graduate Program. Our graduates will help Coles transform into a retailer of the future, leveraging global partnerships, technology and the energy and ideas of our team, to help in fulfilling our purpose of ‘helping Australians eat and live better every day.’

\r\n\r\n

Based in our Melbourne SSC (corporate HQ), you'll gain a mix of technical, operational and leadership skills working with stakeholders within our business. No matter what your degree discipline, you’re sure to find the corporate career that you’re looking for in our Graduate Program.

\r\n\r\n

Choose from one of the many streams available as part of our SSC program including, Technology, Digital, Customer (marketing), Operations, Own Brand, Liquor, Finance, People & Culture, and more. 

\r\n\r\n

Learn more about our streams and recruitment stages here: Coles Graduate Careers:

\r\n\r\n

https://colescareers.com.au/au/en/studentandgraduates

\r\n\r\n

The Coles 2026 SSC Graduate Program applications will be opening in early 2025. 

\r\n\r\n

To be eligible for our 2026 SSC Graduate Program, you'll need to have:

\r\n\r\n
    \r\n\t
  • Either Australian citizenship, New Zealand citizenship or Australian permanent residency (at the time of submitting your application)
  • \r\n\t
  • Have completed your degree and are able to commence full-time employment by the required start date of February 2026.
  • \r\n\t
  • Technology stream only: We also accept applicants from those on a 485 Graduate Visa (or who will have this visa by October 2025). 
  • \r\n
\r\n\r\n

Thank you again for registering your interest in our SSC Graduate Program.

\r\n\r\n

Coles Talent Programs Team

", - "company": { - "name": "Coles", - "website": "https://au.prosple.com/graduate-employers/coles", - "logo": "https://connect-assets.prosple.com/cdn/ff/escieq9SCZtWfv8GTte9fkuX5YKQAUF9HIMC9o-Irn0/1676506767/public/styles/scale_and_crop_center_80x80/public/2023-02/1676506758976_LC1229464_SSC_logo_240x2404.jpg" - }, - "application_url": "https://2026colessscprogram-expressionofinterest-coles.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/coles/jobs-internships/store-support-centre-graduate-pre-register" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2026-02-09T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "NT", "QLD", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c1" - }, - "title": "Graduate Program", - "description": "

Our participants, Our people, Our purpose

\r\n\r\n

Currently, there are around 4.3 million Australians with a disability. The National Disability Insurance Agency (NDIA) implements the National Disability Insurance Scheme (NDIS), which is one of the biggest social reforms in the country since Medicare. As an Agency, we support more than 646,000 participants with a significant and permanent disability, and the families and carers of those living with disability. For many Australians, this will be the first time they receive the disability support they need. The NDIA is designed to enhance the quality of life and increase economic and social participation for people with disability and will mean peace of mind for every Australian. 

\r\n\r\n

A new role awaits

\r\n\r\n

The NDIA Graduate Program (NDIA GP) has been designed to integrate graduates into the NDIA and the Australian Public Service (APS). It provides graduates with a structured learning and development program, and meaningful on-the-job-experience across a range of NDIA business areas. 

\r\n\r\n

The NDIA GP is a 12-month entry-level program. It includes a range of opportunities focused on developing a graduate’s skills, capabilities, and experiences to work effectively and contribute to a high-performing Agency and broader APS.

\r\n\r\n

The NDIA GP includes:

\r\n\r\n
    \r\n\t
  • a curriculum-based development program delivered by the APS Academy, Australian Public Service Commission (APSC), which aligns with the six APS Crafts and APS Work Level Standards and is integrated within the 12-month NDIA GP
  • \r\n\t
  • Graduate rotations are short-term placements (generally of four to six month duration) within various business areas across the Agency
  • \r\n\t
  • access to mentoring through the NDIA GP Mentoring Program
  • \r\n\t
  • access to coaching and career planning that is targeted to a graduate’s professional field and goals through the APS GDP
  • \r\n\t
  • opportunities to build strong professional networks at the Agency and within the APS
  • \r\n\t
  • an accelerated career pathway and salary progression from APS4.1 pay point on commencement to APS5.1 pay point upon successful completion of the NDIA GP.
  • \r\n
\r\n\r\n

The NDIA GP aims to develop graduates’:  

\r\n\r\n
    \r\n\t
  • future organisational and leadership capability through on-the-job work experience
  • \r\n\t
  • knowledge, skills, and understanding of the NDIA, its overall business, and the NDIS
  • \r\n\t
  • professional networks throughout the Agency and APS.
  • \r\n
\r\n\r\n

2026 NDIA Graduate Program

\r\n\r\n

The 2026 NDIA GP is seeking graduates who are passionate and committed to the NDIAs purpose. People who enjoy working as part of a diverse, high-performing team. 

\r\n\r\n

We want our staff to reflect the community we serve. If you have a disability, come from a culturally and linguistically diverse background, or identify as Aboriginal or Torres Strait Islander, we want to hear from you. 

\r\n\r\n

We value diversity in every respect. We welcome applications from graduates with diverse academic skills, including, but not limited to: 

\r\n\r\n
    \r\n\t
  • HR
  • \r\n\t
  • Data
  • \r\n\t
  • Legal
  • \r\n\t
  • Accounting and Financial Management
  • \r\n\t
  • Generalist
  • \r\n\t
  • Business and Commerce
  • \r\n\t
  • ICT and Computer science
  • \r\n\t
  • Project and Program management
  • \r\n\t
  • Data and analytics
  • \r\n\t
  • Social science
  • \r\n\t
  • Behavioural Science and Psychology
  • \r\n\t
  • Allied Health
  • \r\n\t
  • Government policy and Political science
  • \r\n\t
  • Engineering – Modelling and Actuarial.
  • \r\n
", - "company": { - "name": "National Disability Insurance Agency (NDIA)", - "website": "https://au.prosple.com/graduate-employers/national-disability-insurance-agency-ndia", - "logo": "https://connect-assets.prosple.com/cdn/ff/YxYNv2UyGHC5d2jISNeP4L424J3BjKH1HKPNRx8je3c/1717065249/public/styles/scale_and_crop_center_80x80/public/2024-05/logo-ndia-480x480-2024.jpg" - }, - "application_url": "https://ndis.gov.au/about-us/careers-ndia/pathways-agency/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/national-disability-insurance-agency-ndia/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-21T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c2" - }, - "title": "Digital Engineering - Graduate Program", - "description": "

We believe infrastructure creates opportunity for everyone. Whether it’s improving your commute, keeping the lights on, providing access to clean water or transforming skylines, our work helps people and communities thrive.

\r\n\r\n

At AECOM, you’ll work in a dynamic and inclusive environment where we will champion your integrity and innovative mindset. 

\r\n\r\n

We are a team of over 56,000 specialists working across 7 continents to deliver some of the world’s most influential and transformational infrastructure projects. When you join us, you will connect and collaborate with a global network of experts – planners, designers, engineers, scientists, consultants, program and construction managers – leading the change toward a more sustainable and equitable future. 

\r\n\r\n

Along with our clients and partners, we have one goal: to leave a positive, lasting impact on people and our planet. We’re driven by a common purpose to deliver a better world. 

\r\n\r\n

Our Graduate Program:

\r\n\r\n

Our Growing Professional Skills (GPS) graduate program is designed to help you bridge the gap between formal education and the workplace. The program is spread across two years, drawing on a range of personal development activities, exposure to other graduates and business leaders, and a range of topics designed to grow your business and professional skills.

\r\n\r\n

Along with local site visits, technical seminars, mentoring, and internal and external training, AECOM connects you with leading local and global networks that help you learn, grow, and develop.

\r\n\r\n

As an added incentive, your involvement in the GPS program is fully endorsed for those seeking Professional accreditation. If you decide to do additional studies, we will help you examine your options and identify areas of specialisation to support you in your career.

\r\n\r\n

We are excited to be seeking applicants from a wide range of disciplines.

\r\n\r\n

The career opportunities at AECOM are endless! As you progress through our recruitment process, you will be prompted to choose your preferred role and location, along with a second and third choice.

\r\n\r\n

Recruitment Process

\r\n\r\n
    \r\n\t
  • Feb – March: Complete the job application – please note that you need to submit your resume, a cover letter and the latest copy of your academic transcript (please submit all as one document).
  • \r\n\t
  • Feb – March: Complete our online strength-based assessment via our assessment provider, Cappfinity
  • \r\n\t
  • Feb – March: Complete our one-way video interview.
  • \r\n\t
  • May: Attend a remote or locally based Assessment Centre
  • \r\n\t
  • May – June: Offers are made
  • \r\n
\r\n\r\n

Pre-register now!

", - "company": { - "name": "AECOM", - "website": "https://au.prosple.com/graduate-employers/aecom", - "logo": "https://connect-assets.prosple.com/cdn/ff/tlaE0UGL1cgGcX2kMkg7H1DEgJ31ktoMX92GwLRRXcY/1561378035/public/styles/scale_and_crop_center_80x80/public/2019-03/aecom_global_logo.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/aecom/jobs-internships/digital-engineering-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-23T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c3" - }, - "title": "Project Analyst Intern #GeneralInternship", - "description": "The Project Analyst Intern is responsible for the development and automation of project delivery reports for various stakeholders.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Project-Analyst-Intern-GeneralInternship-Sing/1052423266/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-project-analyst-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c4" - }, - "title": "Graduate Site Reliability Engineer - Tech Infrastructure", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Team Introduction

\r\n\r\n

The team is responsible for infrastructure systems, including Storage/Computing/DB. We aim to be the leading SRE team across the industry. In the SRE team, you will have the opportunity to manage the complex challenges of scale, while using expertise in coding, algorithms, complexity analysis, and large-scale system design. We embrace a culture of diversity, intellectual curiosity, openness, and problem-solving. We also encourage ownership, self-governance and independence to work on various projects, and an environment that provides the support and mentorship needed to learn and grow as an engineer.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Reliability Oversight: Ensure the unwavering performance and efficiency of our core infrastructure, establishing reliability standards and recovery SOPs.
  • \r\n\t
  • Technical Troubleshooting: Investigate and resolve technical issues, conduct bottleneck analyses, and orchestrate enhancements to our system's high availability architecture.
  • \r\n\t
  • Efficiency Mastery: Develop automated operation solutions for large-scale systems, collaborating closely with system development teams to facilitate seamless iteration.
  • \r\n\t
  • Cost Optimization: Manage the intricacies of millions of CPUs by implementing delivery standards, monitoring systems, and strategizing budgets for the optimization of company costs.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid basic knowledge of computer software, understanding of Linux operating system, storage, network IO, and other related principles.
  • \r\n\t
  • Familiarity with one or more programming languages, such as Python, Go, and Java, with knowledge of design patterns and coding principles.
  • \r\n\t
  • Coding experience in at least one of the following languages: C, C++, Java, Go, or Python.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passion for computer science and internet technology, strong interest in software quality assurance.
  • \r\n\t
  • Good logical thinking and team communication skills.
  • \r\n\t
  • Experience with computing & big data, and system experience with Kubernetes, Docker/Containers, AIops, Spark, Flink, Function as a service, RPC Framework, and Service Mesh.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7337932948878608677?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-site-reliability-engineer-tech-infrastructure-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c5" - }, - "title": "Regional & Agribusiness Banking (RAB) Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n

When you join the RAB Summer Intern Program, you'll be in the thick of the action in the community, walking the walk of our farmers and regional customers. You’ll be playing a key role in assisting our customers to achieve their goals while building a sustainable future.  

\r\n\r\n

Over the course of your program, you’ll spend time on the ground in one of our many regional offices, be involved with farm visits, financial analysis, credit reviews, and portfolio management. You’ll be empowered to learn from experienced bankers to provide world-class tailored financial solutions.

\r\n\r\n

See yourself in our team

\r\n\r\n

We’re deeply embedded in regional communities across Australia. We know we can make a difference to our customers’ lives together by having a real understanding of their needs. You can be there for our customers during some of their toughest times. And provide them with solutions.

\r\n\r\n

The program includes exposure to specialist areas such as Credit Risk, Commercial Loan Origination, Group Corporate Services, and Business Banking Services. You’ll participate in development sessions, design workshops and work on strategic projects. 

\r\n\r\n

At the end of your program, you’ll have the chance to fast track into the Graduate Program where you roll off into an Analyst role. You’ll gain the experience and financial acumen to become a successful banker. From there the world is your oyster.

\r\n\r\n

Check out commbank.com.au/graduate to find out more. 

\r\n\r\n

We’re interested in hearing from you if: 

\r\n\r\n
    \r\n\t
  • You’re a real people person with a commercial mindset and passionate about building meaningful relationships;
  • \r\n\t
  • You’re dedicated to the success of regional businesses and communities;
  • \r\n\t
  • You’re motivated to deliver innovative solutions to unique and complex challenges.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align to one of our roles. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining. 

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/Private_Ad/job/Sydney-CBD-Area/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/regional-agribusiness-banking-rab-summer-intern-program-2" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA", - "OTHERS" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c6" - }, - "title": "Engineering Graduate Program", - "description": "

Do work that matters 

\r\n\r\n

At Boeing, we innovate and collaborate to make the world a better place. From the seabed to outer space, you can contribute to work that matters with a company where diversity, equity and inclusion are core values. We're committed to fostering an environment for every teammate that's welcoming, respectful and inclusive, with great opportunity for professional growth. Find your future with us! Apply now! 

\r\n\r\n

About the opportunity

\r\n\r\n

Our dynamic program for recent university grads supports graduates in their transition from university to full-time work. The program includes graduates in a wide variety of engineering and business roles. 

\r\n\r\n

The 24-month Graduate Program features professional learning & development aimed to challenge and inspire growth, and social & professional collaborative opportunities to build and expand your Boeing networks. Your development plan is personalized and may include hands-on experiences, professional mentoring, formal engineering short courses, and external engagements via your formal duties or the Boeing Australia STEM Outreach Program.

\r\n\r\n

The program also plans networking and social events to provide opportunities for current grads to connect with grad alumni, managers, and senior leaders at the company. 

\r\n\r\n

We are committed to building a diverse and inclusive workplace. Female applicants, people of Aboriginal or Torres Strait Island descent and ex-Defence personnel are encouraged to apply.

\r\n\r\n

Pre-register

\r\n\r\n

Pre-register here so you'll get notified once the opportunity is open!

", - "company": { - "name": "Boeing Australia", - "website": "https://au.prosple.com/graduate-employers/boeing-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-iqlz06Is--1rpXT4pKiQkaKtd_Gjejg6ii7rNePDzQ/1581386331/public/styles/scale_and_crop_center_80x80/public/2020-02/logo-boeing-240x240-2020.jpg" - }, - "application_url": "https://jobs.boeing.com/search-jobs/graduate/Brisbane%2C%20Queensland/185/1/4/2077456-2152274-7839562-2174003/-27x46794/153x02809/50/2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boeing-australia/jobs-internships/engineering-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-29T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c7" - }, - "title": "Cloud Academy - Cloud Technical Resident", - "description": "

The Cloud Technical Resident role is for applicants who can start in September 2024.

\r\n\r\n

At Google, we have a vision of empowerment and equitable opportunity for all Aboriginal and Torres Strait Islander peoples and commit to building reconciliation through Google’s technology, platforms and people and we welcome Indigenous applicants. Please see our Reconciliation Action Plan (https://reconciliationactionplan.withgoogle.com/) for more information.

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Bachelor's degree in a relevant STEM field (e.g., Computer Science, Information Systems, Management Information Systems) or equivalent practical experience.
  • \r\n\t
  • Experience in Databases, Web Technologies, Machine Learning/AI, or Cloud Foundations (e.g., cloud computing, GCP, or similar) through certifications, internships, coursework, or relevant practical experience.
  • \r\n\t
  • Experience working in customer service, presenting to clients, or in a leadership role within a school or volunteer organization.
  • \r\n\t
  • Ability to communicate in English fluently to support client relationship management in this region
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience developing programs/scripts in C++, Java, Python or experience in infrastructure/system administration.
  • \r\n\t
  • Experience building or troubleshooting websites or web applications using web technologies (e.g., HTTP(S), JavaScript, APIs, TCP/IP, DNS).
  • \r\n\t
  • Experience in systems software and algorithms, working with Linux/Unix. Experience in database design and SQL query construction.
  • \r\n\t
  • Experience leading entrepreneurial efforts, outreach within organizations, and/or in project/product/program management.
  • \r\n\t
  • Ability to adapt your message to stakeholders and present technical materials. Organizational, problem-solving, or troubleshooting skills.
  • \r\n
\r\n\r\n

About the job

\r\n\r\n

Google Cloud Academy – Technical Residency Program is for very motivated individuals. This fast-paced full-time 9-month program is your chance to learn from excellent customer-facing staff (technical and non-technical) at Google and see how we transform businesses in the digital world.

\r\n\r\n
    \r\n\t
  • It's all about practical learning, mentorship from excellent customer-facing staff members, and getting certified in Google Cloud products & services.
  • \r\n\t
  • See your work create great results! We're not just promoting products—we help companies stay ahead of the curve through innovation.
  • \r\n\t
  • Build your skills, grow your network, and explore different paths within Google Cloud’s customer-facing team to help start off your career well.
  • \r\n\t
  • You will participate in two rotations that will help you be confident and competent in front of customers, ranging from startups to large enterprise companies!
  • \r\n\t
  • We value collaboration, real impact, and shaping the future of tech.
  • \r\n
\r\n\r\n

This is for you if you:

\r\n\r\n
    \r\n\t
  • Dream of solving real-world problems with tech.
  • \r\n\t
  • Thrive in fast-changing environments and are comfortable learning as you go.
  • \r\n\t
  • Want to start your career with a company that believes in growth opportunities
  • \r\n
\r\n\r\n

Google Cloud accelerates every organization’s ability to digitally transform its business and industry. We deliver enterprise-grade solutions that leverage Google’s cutting-edge technology, and tools that help developers build more sustainably. Customers in more than 200 countries and territories turn to Google Cloud as their trusted partner to enable growth and solve their most critical business problems.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Help Google Cloud customers meet their business goals by providing strategic solutions and recommending digital transformation. 
  • \r\n\t
  • Improve product feature offerings by providing customer feedback to internal cross-functional teams including Product Management and Engineering.
  • \r\n\t
  • Help develop recommendations for solution architectures and consulting services.
  • \r\n\t
  • Guide customers through the entire innovation lifecycle, building strategic roadmaps and driving achievement of key milestones.
  • \r\n\t
  • Solve customers' operational issues through problem solving and technical troubleshooting, while working with internal teams to drive resolution. Help customers get answers to product questions.
  • \r\n
", - "company": { - "name": "Google AU", - "website": "https://au.prosple.com/graduate-employers/google-au", - "logo": "https://connect-assets.prosple.com/cdn/ff/7e-DvdKyAq7vvrkzobK5e6nJtVss9eDEHBghFgK4DLo/1569257436/public/styles/scale_and_crop_center_80x80/public/2019-06/Google_Logo_120x120.png" - }, - "application_url": "https://goo.gle/4czdn2S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/google-au/jobs-internships/cloud-academy-cloud-technical-resident" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-03T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c8" - }, - "title": "Technology Graduate", - "description": "

What our Program offers: 

\r\n\r\n
    \r\n\t
  • A 12- month program that includes three, four-month rotations within a broad & dynamic organisation
  • \r\n\t
  • Ranked #30 in the Grad Australia top 100 Graduate Programs 2024
  • \r\n\t
  • Support network of mentors, buddies & a dedicated graduate program manager to ensure you are supported through your journey
  • \r\n\t
  • 7 graduate specific learning modules facilitated by our Learning team to help you acclimatise to corporate life
  • \r\n\t
  • Exposure to Senior Leaders, through meet & greet sessions tailored to the graduate program
  • \r\n\t
  • A capstone project where you will get to work with other graduates on a business problem & present your recommendations to senior leaders
  • \r\n
\r\n\r\n

About the Opportunity  

\r\n\r\n

Commencing in January 2026, we have multiple positions in our Technology stream offering three 4-month rotations. Rotations may include areas such as: 

\r\n\r\n
    \r\n\t
  • Application Delivery
  • \r\n\t
  • Cyber Security
  • \r\n\t
  • Salesforce & Integration
  • \r\n\t
  • Digital Operations
  • \r\n\t
  • Infrastructure & more!
  • \r\n
\r\n\r\n

You’ll manage and contribute to significant and meaningful projects whilst expanding your skills, challenging yourself and taking momentous steps in building your career. You will be supported through a structured learning and development program, formal rotations, mentor programs, various on the job activities and more!  

\r\n\r\n

What you’ll need to be successful  

\r\n\r\n

At RACV, we understand that everyone is unique and has a different background. To be considered for our program you will need; 

\r\n\r\n
    \r\n\t
  • Bachelor’s Degree in a relevant discipline
  • \r\n\t
  • Completed studies within the last 2 years
  • \r\n\t
  • Interest and aptitude in technology (chiefly software development practices, cyber security, common technology principles across design, development and support)
  • \r\n\t
  • Eagerness to learn and grow with the business
  • \r\n\t
  • Previous work experience in a similar field advantageous
  • \r\n\t
  • Previous work experience in a similar field advantageous
  • \r\n
\r\n\r\n

Great things start here  

\r\n\r\n

Be part of a purpose-driven organisation creating meaningful travel and leisure experiences, useful home products and services, better outcomes for drivers, and a cleaner energy future. Have impact on the industries we’re committed to improving while shaping your own future. Be inspired by a team who backs each other, with policies that support you, and benefits you’ll use.  We’re proud to offer the kind of opportunities only a diverse business can provide. That’s why the best is always yet to come at RACV. 

\r\n\r\n

The RACV difference  

\r\n\r\n

Curious about where this role could take you? At RACV, we leave that up to you. Explore endless opportunities, find unexpected pathways, set long-term goals, and grow your career in more ways than one.   

\r\n\r\n

Application process  

\r\n\r\n

As part of the application process, please include your resume, a brief cover letter and your preferred program stream. 

\r\n\r\n

RACV will consider reasonable adjustments during the application and/or hiring process to provide equal opportunity for applicants. Should you require reasonable adjustments during these processes, please email us at graduates@racv.com.au
\r\n
\r\nPlease note that that reasonable adjustments required due to any medical conditions (including disabilities, illness, and work-related injuries) that you may have that impact your ability to undertake the inherent requirements of the role being applied for, as set out in the position description, must be provided to and considered by RACV, separate from any reasonable adjustments sought during the application and/or hiring process.

\r\n\r\n

Applicants will be required to provide evidence of their eligibility to work in Australia, and at a minimum be required to undertake police checks as a condition of employment. 

", - "company": { - "name": "RACV", - "website": "https://au.prosple.com/graduate-employers/racv", - "logo": "https://connect-assets.prosple.com/cdn/ff/b-vpJ19FYQKiMCOgWBun4JUoc6JD3JqiXCzpyHQMsCo/1647600464/public/styles/scale_and_crop_center_80x80/public/2022-03/logo-racv-480x480-2022.jpg" - }, - "application_url": "https://careers.racv.com.au/job/473-Bourke-Street-Melbourne-Graduate-Technology/1052741866/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/racv/jobs-internships/technology-graduate-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-14T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4c9" - }, - "title": "Graduate Program", - "description": "

Experience more opportunities

\r\n\r\n

With a global business, we offer diverse and rewarding careers. We are committed to Thiess being a company and a culture where great people can excel and where they are developed and supported to reach their highest potential. Join our team today.

\r\n\r\n

About our Graduate Program

\r\n\r\n

Our graduate program provides the opportunity to learn, develop and gain exposure to our business and the industry, working alongside senior professionals who will guide your learning and development journey.

\r\n\r\n

As a Thiess graduate, you will have access to structured, on-the-job training, guided learning plans, a mentor and additional professional development opportunities. Over our two-year program, you will experience up to two 12-month rotations with placements in various roles and projects. Having the opportunity to rotate across different teams as well as projects will provide you with greater opportunities to build your career.

\r\n\r\n

As a Thiess Graduate, you will need to have the ability to:

\r\n\r\n
    \r\n\t
  • Learn new skills, be flexible and adaptive
  • \r\n\t
  • Problem solve and analyse
  • \r\n\t
  • Work collaboratively
  • \r\n\t
  • Innovate and propose creative solutions
  • \r\n\t
  • Communicate effectively
  • \r\n\t
  • Relocate to various sites and projects, as required by program rotations.
  • \r\n
\r\n\r\n

Thiess is now looking across Australia for students or recent graduates across the following disciplines:

\r\n\r\n
    \r\n\t
  • Engineering (Civil & Mining, Electrical, Mechanical, Mechatronics)
  • \r\n\t
  • Geology
  • \r\n\t
  • Surveying
  • \r\n\t
  • Environment
  • \r\n\t
  • Digital & Technology (Cyber Security, Digital Transformation, ICT Operations)
  • \r\n\t
  • Finance & Accounting
  • \r\n\t
  • Health & Safety
  • \r\n
\r\n\r\n

Locations for these roles include South-East & Central Queensland and Hunter Valley, New South Wales.

\r\n\r\n

What Thiess can do for you

\r\n\r\n
    \r\n\t
  • Thiess’ commitment to ongoing training & development
  • \r\n\t
  • Role-specific training
  • \r\n\t
  • Health & wellbeing rewards program through AIA Vitality
  • \r\n\t
  • Salary continuance insurance
  • \r\n\t
  • Salary sacrifice options – Flights & novated leasing
  • \r\n\t
  • Range of corporate discounts including health insurance (Medibank), travel & retail products.
  • \r\n
\r\n\r\n

About us

\r\n\r\n

We partner with our clients to deliver excellence in open cut and underground mining in Australia, Asia, Africa and the Americas. For more than 80 years, we’ve operated in diverse commodities, geologies, environments and cultures. Our team uses that insight to optimise solutions for each project and create lasting value for our clients and the communities in which we live and work.

\r\n\r\n

We recognise the value of an inclusive and diverse workplace through our vision of everyone matters always. We’re focused on creating an inclusive environment to allow our people to bring their best selves to work because they feel safe, included and empowered. 

\r\n\r\n

Visit our website to learn more.

\r\n\r\n

How to apply

\r\n\r\n

Our program is an opportunity to take the first step in your career. With our culture of recognition, development, and a stimulating and satisfying work environment, there is no better time to join Thiess.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Thiess", - "website": "https://au.prosple.com/graduate-employers/thiess", - "logo": "https://connect-assets.prosple.com/cdn/ff/e0EdK1250l0jM5VCwzvJCPGPIR3FwfTS_j-kNrx34C8/1569842466/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-Thiess-120x120-2019_0.jpg" - }, - "application_url": "https://careers.pageuppeople.com/399/caw/en/search/?job-mail-subscribe-privacy=agree&search-keyword=graduate&location=&category=", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/thiess/jobs-internships/graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ca" - }, - "title": "Software Stream - Summer Student Internship Program", - "description": "

Why us? 

\r\n\r\n

Cochlear is a world-leading medical device company that offers you an unmatched, global platform to launch your engineering career! 

\r\n\r\n

You will have the opportunity to actively collaborate with the brightest engineering minds in the world as they mentor and support you to develop your skills and follow your passions. 

\r\n\r\n

Join us and get real-world engineering projects that give you hands-on experience working as a professional engineer. Our Summer Student Internship Program the is the only pathway to a full-time graduate position commencing in February 2026.

\r\n\r\n

What will you do?

\r\n\r\n

In the Software Stream, you will be embedded in a development squad working on mobile apps or cloud solutions that have a real impact on the lives of our customers. Rather than just delivering on existing work, projects are designed to have tangible outcomes. 

\r\n\r\n

Some examples of previous projects are:

\r\n\r\n
    \r\n\t
  • Building Apple watch support for the Nucleus Smart App (Swift)
  • \r\n\t
  • A platform for building out monitoring for cloud services (TypeScript)
  • \r\n\t
  • An Android app for monitoring audio stream quality (Kotlin)
  • \r\n
\r\n\r\n

Most relatable academic disciplines for this stream are: Computer Science, Software, Mechatronics or any coding-related degrees/majors. 

\r\n\r\n

Who are we looking for?

\r\n\r\n

To be eligible for our Summer Student Internship Program – Software Stream, you will need to:

\r\n\r\n
    \r\n\t
  • Be a penultimate-year student, completing your degree in calendar year 2026
  • \r\n\t
  • Possess the right to work in Australia without sponsorship after graduation
  • \r\n\t
  • Available to work full-time from late November 2025 to mid-February 2026  
  • \r\n
", - "company": { - "name": "Cochlear", - "website": "https://au.prosple.com/graduate-employers/cochlear", - "logo": "https://connect-assets.prosple.com/cdn/ff/rXB6xWdezEQc03f9oz4Grwp58IQSj0bQRidXxYY2Pl4/1569794779/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-cochlear-120x120-2019.jpg" - }, - "application_url": "https://cochlear.wd3.myworkdayjobs.com/Cochlear_Careers/job/Sydney/Summer-Student-Internship-Program_R-618441-2", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/cochlear/jobs-internships/software-stream-summer-student-internship-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-29T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4cb" - }, - "title": "Graduate Program", - "description": "

Join the NAB Graduate Program in 2026!

\r\n\r\n

We're seeking motivated and innovative individuals to join us on the 2026 NAB Graduate Program. As a Graduate at NAB, you'll have the opportunity to make a real impact while developing your skills and building a rewarding career.

\r\n\r\n

Our exciting Graduate Program offers hands-on experience in a supportive and collaborative environment. You'll work on innovative projects, receive training and mentorship, and have the chance to network with leaders across the organisation.

\r\n\r\n

Your best begins here.

\r\n\r\n

At NAB, we’re intent on building a culture we can all be proud of. One based on trust and respect. An uplifting environment where every single one of us feels appreciated and empowered to be our true, authentic selves. A diverse and inclusive workplace where our differences are celebrated, and our contributions are valued. It’s a huge part of what makes NAB such a special place to be. We actively encourage and welcome candidates of all ages, cultural backgrounds, gender identities, preferences, people with disability and Aboriginal & Torres Strait Islander peoples to apply.

\r\n\r\n

Please visit our website for more information: https://www.nab.com.au/about-us/careers/early-careers/graduate-careers

\r\n\r\n

The Application Process

\r\n\r\n

To be eligible for our Graduate Program you MUST:

\r\n\r\n
    \r\n\t
  • Be an Australian or New Zealand citizen or an Australian Permanent Resident at the time of submitting your application
  • \r\n\t
  • You’ll need to have completed an undergraduate or postgraduate degree in the past three years (2023, 2024 or 2025) or be due to complete it by the end of January 2026.
  • \r\n\t
  • Complete the online application and if successful you’ll progress to an online test, video interview and engagement centre. Engagement centres are held by stream and will be 100% virtual, meaning you can participate from any location.
  • \r\n
\r\n\r\n

Next steps…
\r\n
\r\nGet ahead of the game! Register your interest now to stay informed.

", - "company": { - "name": "NAB Australia", - "website": "https://au.prosple.com/graduate-employers/nab-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/w0PGVWR1sp6dxvJ9UirqkHWF8axtfJnRJqvP_Tx9ifQ/1668056292/public/styles/scale_and_crop_center_80x80/public/2022-11/1668056247371_NAB%20Brandmark.jpg" - }, - "application_url": "https://2026graduateprogramexpressionofinterestform-nab.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nab-australia/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4cc" - }, - "title": "2026 Graduate Software Developer - Sydney", - "description": "You’ll work on innovative technologies with experienced engineers on the development, delivery, support, and enhancements of our trading systems and infrastructure.", - "company": { - "name": "Susquehanna International Group", - "website": "https://au.gradconnection.com/employers/susquehanna-international-group", - "logo": "https://media.cdn.gradconnection.com/uploads/e0f736e2-e850-44cf-8f24-403715f73268-SUSQ_YouTube_icon_408x408.jpg" - }, - "application_url": "https://careers.sig.com/job/8439/Graduate-Software-Developer-2026/?utm_source=gradconnection&utm_medium=referral&utm_campaign=01152025-syd-gradconnection-2025-lb&utm_content=grad-software-dev-comp-sci", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/susquehanna-international-group/jobs/susquehanna-international-group-2026-graduate-software-developer-sydney" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T05:07:00.000Z" - }, - "locations": ["NSW"], - "study_fields": ["Computer Science"], - "working_rights": ["AUS_CITIZEN", "INTERNATIONAL", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4cd" - }, - "title": "Sales Commission Intern #GeneralInternship", - "description": "Join the Sales Commission team and be your own project manager by understanding business processes and recommending solutions for improvement.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Sales-Commission-Intern-GeneralInternship-Sing/1051493566/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-sales-commission-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ce" - }, - "title": "Software Engineering Internships", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the Team

\r\n\r\n

The Trust and Safety (TnS) platform team is responsible for protecting our users from harmful content and abusive behaviours. With the continuous efforts of our trust and safety platform team, TikTok can provide the best user experience and bring joy to everyone in the world. Our team is responsible for achieving goals by building moderation desktop applications, Low-code engines & platforms, and all kinds of supportive platforms across the TnS organization.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2025. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order they apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Responsible for the front-end technology development of various products, including web end, desktop end, mobile end, etc.
  • \r\n\t
  • Complete the design and development of user functions to ensure the compatibility of browsers or other endpoint devices
  • \r\n\t
  • Optimize front-end performance and enhance User Experience through technical means
  • \r\n\t
  • Design and develop common components, tools and class libraries to improve development quality and efficiency.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Undergraduate or Postgraduate currently pursuing a Degree/Master/PhD in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Be familiar with commonly used data structures and algorithms, and be proficient in using at least one programming language to complete code writing with a good computer foundation
  • \r\n\t
  • Interested in in-depth study of front-end technology development and understanding of user interaction experience
  • \r\n\t
  • Proficient in using HTML (5)/CSS (3)/JS and other front-end technologies to complete page layout and interactive development, and familiar with using front-end frameworks such as Vue/React or with web project development experience is preferred
  • \r\n\t
  • Positive and optimistic, strong sense of responsibility, good communication and cooperation, logical thinking ability and service awareness
  • \r\n
\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://careers.tiktok.com/position/7332423663117551923/detail?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/software-engineering-internships" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4cf" - }, - "title": "Graduate Development Program", - "description": "

About the Department

\r\n\r\n

The Department of Industry, Science and Resources and our broader portfolio are integral to the Australian Government’s economic agenda. Our purpose is to help the government build a better future for all Australians through enabling a productive, resilient and sustainable economy, enriched by science and technology. We do this by:

\r\n\r\n
    \r\n\t
  • Growing innovative & competitive businesses, industries and regions
  • \r\n\t
  • Investing in science and technology
  • \r\n\t
  • Strengthening the resources sector.
  • \r\n
\r\n\r\n

The opportunity - About our Graduate Development Program

\r\n\r\n

The Graduate Development Program gives you an opportunity to build and embed the skills you have gained during university through work that directly benefits Australians.

\r\n\r\n

During our program you will experience:

\r\n\r\n
    \r\n\t
  • soft and technical skills training
  • \r\n\t
  • on-the-job learning
  • \r\n\t
  • the opportunity to collaborate with other graduates on a major project tackling, real-life policy issues.
  • \r\n
\r\n\r\n

We accept all disciplines of study and have many opportunities available to use your skills, knowledge and experience. 

\r\n\r\n

What’s in it for you?

\r\n\r\n

Program benefits

\r\n\r\n
    \r\n\t
  • a structured 12-month training and development program
  • \r\n\t
  • the opportunity to contribute to creating a better future for the community the APS serves
  • \r\n\t
  • competitive remuneration with 37.5-hour work week
  • \r\n\t
  • access to flexible work arrangements
  • \r\n\t
  • multiple work placements to experience diverse roles and responsibilities across the department
  • \r\n\t
  • commencement as an APS 4 with a starting salary of $75,886 plus 15.4% superannuation
  • \r\n\t
  • advancement to APS 5 (current salary of $83,460 plus 15.4% superannuation) once you successfully complete the program
  • \r\n\t
  • tailored graduate support
  • \r\n\t
  • exclusive networking events
  • \r\n\t
  • relocation assistance for eligible graduates.
  • \r\n
", - "company": { - "name": "Department of Industry, Science and Resources", - "website": "https://au.prosple.com/graduate-employers/department-of-industry-science-and-resources", - "logo": "https://connect-assets.prosple.com/cdn/ff/oUp2rd5asNqJvJTQBOpRdey96c7u5k1pfQNi7Kt3rvY/1665546010/public/styles/scale_and_crop_center_80x80/public/2022-10/logo-disr-480x480-2022.png" - }, - "application_url": "https://industrycareers.nga.net.au/cp/index.cfm?event=jobs.checkJobDetailsNewApplication&returnToEvent=jobs.listJobs&jobid=CDCBE124-2651-4DB0-84F1-B12300A50D9D&CurATC=EXT&CurBID=62AFB35D%2D9273%2D4A11%2D8DCC%2D9DB401354197&JobListID=22FC4F47%2DE994%2D46A3%2DB8C9%2D9BC901269F43&jobsListKey=d004c5b8%2Df35b%2D447d%2Dbd10%2Deed12fa105e5&persistVariables=CurATC,CurBID,JobListID,jobsListKey,JobID&lid=15224160064&rmuh=075F44F2022B5CF0DC671DB2A351056FD9EF3199", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-industry-science-and-resources/jobs-internships/graduate-development-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-14T14:00:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d0" - }, - "title": "Application Security Engineer Internship Program 2025", - "description": "This is an exciting opportunity for a talented and driven individual to join a dynamic team working on complex and innovative technologies. If you are passionate about application security and want to make a real difference in the development of secure systems, we encourage you to apply now.", - "company": { - "name": "Readygrad", - "website": "https://au.gradconnection.com/employers/readygrad", - "logo": "https://media.cdn.gradconnection.com/uploads/9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9bd-2ff6-4526-b4ae-c2f712ca45ef-9cdee9_QfjlfYS.jpg" - }, - "application_url": "https://readygrad.com.au/gc-application-security-engineer-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/readygrad/jobs/readygrad-application-security-engineer-internship-program-2025" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d1" - }, - "title": "Graduate Systems Engineer", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, deploy, and maintain test systems for product calibration and testing.
  • \r\n\t
  • Analyze and resolve complex issues in manufacturing test systems.
  • \r\n\t
  • Collaborate with Product Development engineers to create test specifications and solutions.
  • \r\n\t
  • Develop manufacturing test systems, validation protocols, and test procedures.
  • \r\n\t
  • Provide frontline support for manufacturing systems, working across disciplines.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • A Bachelor’s degree in Engineering, Science, Mathematics, Software, or a related field.
  • \r\n\t
  • A proactive attitude and systematic problem-solving skills.
  • \r\n\t
  • Willingness to embrace uncertainty and take ownership.
  • \r\n\t
  • Hands-on experience with problem-solving in projects or hobbies is preferred.
  • \r\n\t
  • Interest in technology, data science, or production systems.
  • \r\n\t
  • Strong interpersonal skills and collaborative abilities.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary with comprehensive healthcare benefits, bonuses, and other perks.

\r\n\r\n

Training, development & rotations

\r\n\r\n

Offers hands-on mentorship and support for professional growth and development.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement in a global leader in medical solutions, with potential growth in various engineering disciplines.

\r\n\r\n

How to Apply

\r\n\r\n

Submit your application by January 31, 2025. Ensure all required documents are included and follow any specific instructions provided.

\r\n\r\n

Report this job

", - "company": { - "name": "ResMed", - "website": "https://au.prosple.com/graduate-employers/resmed", - "logo": "https://connect-assets.prosple.com/cdn/ff/WyjH89-b8WZYNV89YGbjYshOYcH_ju_XvjB_SsANe8Y/1618220584/public/styles/scale_and_crop_center_80x80/public/2021-04/logo-Resmed-240x240-2021_0.jpg" - }, - "application_url": "https://resmed.wd3.myworkdayjobs.com/en-US/ResMed_External_Careers/job/Graduate-Systems-Engineer_JR_038427?locationCountry=d903bb3fedad45039383f6de334ad4db", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/resmed/jobs-internships/graduate-systems-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d2" - }, - "title": "Vacationer Program", - "description": "

Applications open for our 2026 Program on 24th February 2025

\r\n\r\n
    \r\n\t
  • Launch your career: you’ll be ready to start with us over your summer break in late 2026
  • \r\n\t
  • A job that’s made for you: you’ll benefit from hybrid working, making an impact and dressing for your day
  • \r\n\t
  • Get the competitive edge: you'll gain experience at one of Australia's largest Professional Services firms
  • \r\n
\r\n\r\n

How PwC can take you forward

\r\n\r\n

There’s so many ways to launch your career and make a positive impact here. It’s why we invest in our talent from the ground up – acting as the perfect springboard for aspiring professionals, just like you.

\r\n\r\n

By working with us, you’ll be helping a variety of Australian businesses (and not-for-profits) create sustainable value through elevated strategies, performances and workflow. So whether you’re implementing AI technology, developing climate-smart solutions or reinventing Aussie business models, you’ll be making an impact every day.

\r\n\r\n

Together, we’ll push forward – towards a better future for our communities, clients and people.

\r\n\r\n

If you’re in your penultimate year of undergraduate or postgraduate studies, our Vacationer Program is for you! This program provides up to 8 weeks of full-time work experience over your summer university break. With nearly 80% of Vacationers securing offers for Graduate positions, this program is an ideal pathway to transition you to full-time work.

\r\n\r\n

Benefits designed to propel you forward

\r\n\r\n
    \r\n\t
  • Fast-track your career with world-class development opportunities working on real-world problems;
  • \r\n\t
  • Embrace a dynamic community with energising mentors and exposure to experienced leaders;
  • \r\n\t
  • Enjoy more autonomy and flexibility with hybrid working arrangements that suit you, your team and clients better;
  • \r\n\t
  • Dress for your day and feel empowered to work, collaborate and present – with clients or team members;
  • \r\n\t
  • Invest in your health and lifestyle with perks like a wellness credit and discounted memberships.
  • \r\n
\r\n\r\n

Commitment to diversity and inclusion

\r\n\r\n

We value authenticity and unique perspectives, which is why we champion diverse talent from varied backgrounds and with different problem-solving abilities. Because this is what creates impactful creativity and the greatest value for our clients. So even if you don’t meet every qualification, reach out — because it’s your potential that counts.

\r\n\r\n

If you need any reasonable adjustments or wish to share your pronouns with us, please let us know — we’re committed to ensuring an inclusive experience for all.

\r\n\r\n

Want to move forward?

\r\n\r\n

If you’re driven to make an impact and want to experience the energy and openness of a large-scale, top tier firm – join us. We know that with your talent and our energy, we can do great things.

", - "company": { - "name": "PwC Australia", - "website": "https://au.prosple.com/graduate-employers/pwc-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/vQ_gFqkVbzCyntDyFKU_1UiZSfWYCOF0_Ub6jzPuqQ4/1561088773/public/styles/scale_and_crop_center_80x80/public/2019-03/pwc_global_logo.jpg" - }, - "application_url": "https://jobs-au.pwc.com/au/en/vacation-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/pwc-australia/jobs-internships/vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-12T10:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d3" - }, - "title": "Research Assistant - Bioinformatics", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Assist with bioinformatic analysis in the Swarbrick Laboratory.
  • \r\n\t
  • Develop and maintain bioinformatic pipelines for scRNA-seq and spatial transcriptomic data.
  • \r\n\t
  • Contribute to and enhance the existing codebase.
  • \r\n\t
  • Document and improve code documentation.
  • \r\n\t
  • Manage and archive data according to procedures.
  • \r\n\t
  • Analyze clinical and experimental data for clinical translation.
  • \r\n\t
  • Support team members with analyses.
  • \r\n\t
  • Test and benchmark analytical packages.
  • \r\n\t
  • Present results internally and externally.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • BSc or MSc in computer science or a quantitative discipline (Computational Biology, Bioinformatics, Mathematics and Statistics, Physics, Software Engineering, or a related field).
  • \r\n\t
  • Experience with version control systems, particularly Git.
  • \r\n\t
  • Proficiency in R and/or Python.
  • \r\n\t
  • Familiarity with Unix command line and high-performance or cloud computing.
  • \r\n\t
  • Knowledge of molecular biology fundamentals is desirable.
  • \r\n\t
  • Experience with large molecular datasets and scRNA-seq is beneficial.
  • \r\n\t
  • Ability to work in a multidisciplinary team.
  • \r\n\t
  • Appreciation of ethical dimensions of clinical research.
  • \r\n\t
  • Strong communication, organizational, and time management skills.
  • \r\n\t
  • Interest in cancer evolution and progression.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Salary up to $99,000 plus 14% superannuation and salary packaging. Additional benefits include flexible work arrangements, 18 weeks of paid parental leave, various leave types, discounted health insurance, and lifestyle discounts.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for ongoing training and development in a stimulating, diverse, and international research environment.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement with the possibility to extend the 2-year term contract, contributing to significant projects in cancer research.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application with a CV and cover letter as one document, explaining your interest in the role. Applications are reviewed as received. Only applicants with full working rights in Australia are eligible.

\r\n\r\n

Report this job

\r\n\r\n

 

", - "company": { - "name": "Garvan Institute of Medical Research", - "website": "https://au.prosple.com/graduate-employers/garvan-institute-of-medical-research", - "logo": "https://connect-assets.prosple.com/cdn/ff/xKR8gL8DgLNyqGKFvncPYF0grFtKZB_KabO0636ykL4/1734420092/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-garvan-institute-of-medical-research-450x450-2024.png" - }, - "application_url": "https://garvan.wd3.myworkdayjobs.com/en-US/garvan_institute/job/Sydney/Research-Assistant---Bioinformatics_PRF7434?q=graduate", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/garvan-institute-of-medical-research/jobs-internships/research-assistant-bioinformatics" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d4" - }, - "title": "STEM Cadetship", - "description": "

Bring your unique skills and experiences to a world of opportunity at Defence. No matter your specialisation, your contribution leaves an imprint at Defence that is uniquely yours. 

\r\n\r\n

The Defence STEM (Science, Technology, Engineering or Mathematics) Cadetship offers you a head start in your career. Play a part in keeping Australia safe and secure while you complete your tertiary studies.

\r\n\r\n

The Cadetship Program is an entry-level employment pathway for high-performing undergraduate students currently studying a relevant STEM degree.

\r\n\r\n

You will get real-world, practical and high-quality work experience in an area relevant to your studies.

\r\n\r\n

Defence will also give you some financial support for your studies, during your cadetship. This includes reimbursing the cost of your university course fees. They will also reimburse the cost books and provide you with a bursary fee. 

\r\n\r\n

There are many opportunities your university studies can lead to a rewarding, challenging and meaningful career in Defence. In the STEM Cadetship you will get:

\r\n\r\n
    \r\n\t
  • hands-on work experience
  • \r\n\t
  • a head start on a career in STEM
  • \r\n\t
  • opportunities to apply your academic knowledge and research skills
  • \r\n\t
  • access to cutting-edge technology
  • \r\n\t
  • mentoring and guidance from the country’s leading experts
  • \r\n\t
  • exposure to Defence capability like no other
  • \r\n\t
  • comprehensive learning and career development opportunities
  • \r\n\t
  • a stimulating and dynamic work environment that fosters innovation and creativity
  • \r\n\t
  • to contribute to Defence’s research and military capability programs.
  • \r\n
\r\n\r\n

What you’ll do

\r\n\r\n

As a STEM Cadet, you will:

\r\n\r\n
    \r\n\t
  • work with Australian Defence Force and Defence civilian employees to provide scientific advice and/or develop technologies relevant to your university studies,
  • \r\n\t
  • provide scientific and technical support to current Defence operations and military capability platforms,
  • \r\n\t
  • explore future technologies for Defence and national security applications,
  • \r\n\t
  • ensure Australia is a smart buyer and user of Defence equipment,
  • \r\n\t
  • develop new Defence and national security capabilities. This may include:\r\n\t
      \r\n\t\t
    • intelligence
    • \r\n\t\t
    • reconnaissance
    • \r\n\t\t
    • surveillance
    • \r\n\t\t
    • communication
    • \r\n\t\t
    • weapon platform
    • \r\n\t\t
    • cyber security
    • \r\n\t\t
    • ballistic
    • \r\n\t\t
    • aircraft
    • \r\n\t\t
    • guidance
    • \r\n\t\t
    • war fighter
    • \r\n\t\t
    • mechatronic technologies
    • \r\n\t
    \r\n\t
  • \r\n\t
  • enhance existing capabilities by increasing performance and safety, and reducing the cost of ownership of Defence assets,
  • \r\n\t
  • support collaborative relationships with government agencies to strengthen national security, and
  • \r\n\t
  • assist and engage with industry to better support Defence capability needs.
  • \r\n
\r\n\r\n

Find out more about the wide range of work in the STEM Cadetship disciplines on our website. 

\r\n\r\n

Who we’re looking for

\r\n\r\n

The STEM Cadetship Program is open to Australian undergraduate university students who:

\r\n\r\n
    \r\n\t
  1. have an Australian citizenship
  2. \r\n\t
  3. are studying full-time at an Australian university, and
  4. \r\n\t
  5. are currently enrolled in a relevant STEM degree, which may include Honours/Masters
  6. \r\n
\r\n\r\n

NB: To be considered for a STEM Cadetship with Defence Science and Technology Group (DSTG), you must be eligible for and agree to complete a STEM Honours/Masters degree as part of the program.

\r\n\r\n
    \r\n\t
  1. Will successfully complete at least 12 months’ full-time tertiary study of a relevant STEM degree before starting the Cadetship.
  2. \r\n\t
  3. Will complete their tertiary studies (including Honours/Masters) between the end of Semester 2, 2025 and the end of Semester 2, 2026
  4. \r\n\t
  5. Have a minimum credit average (GPA ≥ 5 on a 7-point scale), and
  6. \r\n\t
  7. Have at least 12 months' full-time tertiary study remaining at the time you start the Cadetship Program.
  8. \r\n
\r\n\r\n

What you can look forward to

\r\n\r\n

Competitive salary and benefits

\r\n\r\n

As a STEM Cadet, you will receive:

\r\n\r\n
    \r\n\t
  • Ongoing (part-time) APS employment with the Department of Defence.
  • \r\n\t
  • At least 60 paid work placement days per cadetship year. A cadetship year is the 12-month period after you start the Cadetship Program.
  • \r\n\t
  • A minimum annual salary of $54,232 pro rata plus 15.4% superannuation. Based on the completion of 60 work placement days, this equates to a minimum salary of $12,475 per annum (increasing to $56,401 pro rata and $12,974 per annum based on 60 work placement days upon the Fair Work Commission approval of the Defence Enterprise Collective Agreement – 2024).
  • \r\n\t
  • Reimbursement for your university fees (i.e. course fees) for your STEM degree. To be eligible, you must have successfully completed the relevant units each semester.
  • \r\n\t
  • Reimbursement for the cost of your required books/resources up to a maximum of $1,000 (GST inclusive) per cadetship year.
  • \r\n\t
  • A $3,000 bursary payment per cadetship year.
  • \r\n\t
  • The option to progress to a full-time ongoing APS Level 4 (or Science and Technology Level 3-4), or a place in the Defence Graduate Program once you successfully complete your STEM degree the cadetship.
  • \r\n
\r\n\r\n

Flexible work arrangements

\r\n\r\n

Your agreed work days are flexible and negotiated between you and the work area. This is based on your individual and the work area’s requirements. The pattern of hours can also be adjusted to suit your university study. As a cadet, you'll be paid based on the hours worked only.

\r\n\r\n

A head start in your career

\r\n\r\n

Don't wait until the final year of your degree to start looking for a job. 

\r\n\r\n

Once you successfully complete the STEM Cadetship Program, you'll have the option to transition into the Defence Graduate Program as an APS 4.

\r\n\r\n

The Defence Graduate Program is a 12-18 month learning and development program made up of 4 pathways:

\r\n\r\n
    \r\n\t
  1. Policy and Corporate Pathway
  2. \r\n\t
  3. Technical Pathway
  4. \r\n\t
  5. Research and Innovation Pathway
  6. \r\n\t
  7. Intelligence Pathway
  8. \r\n
\r\n\r\n

It provides graduates with a unique opportunity to undertake varied, meaningful work. STEM Cadets will not need to engage in a separate application and assessment process to move into the Graduate Program.

\r\n\r\n

Immersive learning opportunities

\r\n\r\n

You'll be supervised and trained by Australia’s brightest and most innovative specialists. This network of experts at the forefront of international Defence capability and research. You'll also get access to cutting-edge technology and capability, unlike any other organisation.

\r\n\r\n

Defence is the winner of the 2023 Graduate Employer award for Government & Public Safety by Prosple.

\r\n\r\n

Locations

\r\n\r\n

The STEM Cadetship offers positions in Adelaide, Brisbane, Canberra, Melbourne, Newcastle, Perth (Rockingham) and Sydney. Defence will provide relocation assistance for the duration of work placements if required, in accordance with Defence policy.

", - "company": { - "name": "Department of Defence", - "website": "https://au.prosple.com/graduate-employers/department-of-defence", - "logo": "https://connect-assets.prosple.com/cdn/ff/sKy0CNv4vkus5lqJKQwuEfeblfZAjq9wwWz9DYl9uoU/1666050750/public/styles/scale_and_crop_center_80x80/public/2022-10/logo-department-of-defence-480x480-2022.png" - }, - "application_url": "https://www.defence.gov.au/jobs-careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-defence/jobs-internships/stem-cadetship-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-09T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d5" - }, - "title": "Policy Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/policy-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d6" - }, - "title": "Banking and Accounting Graduate Program", - "description": "
    \r\n\t
  • Kick-start your journey with Australia’s biggest bank.
  • \r\n\t
  • You’ll experience a world-class rotational Graduate Program, tailored to the career pathway you choose and designed to support you as you launch your career.
  • \r\n\t
  • We have great work perks (think gym discounts and reward points to put towards your next holiday). And we’re going to have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters 

\r\n\r\n

Your passion for people and cultivating relationships will make you the point of contact between the numbers and the business while delivering meaningful insights. 

\r\n\r\n

You’ll gain hands-on experience with real-life projects; make an impact on customers and communities. 

\r\n\r\n

Your ability to analyse data, information, and comfort working with numbers and trends will allow you to connect the dots to find your stakeholders the best solutions.

\r\n\r\n

See yourself in our team 

\r\n\r\n

When you apply to the Banking and Accounting career pathway, there are two programs to choose from. 

\r\n\r\n

Accounting – Sydney

\r\n\r\n

You'll complete up to four rotations across 24 months in areas including Group Treasury, Climate Strategy, Investor Relations, Capital and Audit. You’ll work on projects that support our Board, our shareholders and a range of business areas across the Group in their decision-making. We'll also support you with gaining further professional accreditation. 

\r\n\r\n

After the program, you could begin your career in any of the above teams.

\r\n\r\n

Business Banking Commercial – Adelaide, Brisbane, Melbourne & Perth

\r\n\r\n

You'll complete three rotations across 15 months. You’ll have a direct impact on our customers and the community standing side-by-side with our business clients across Australia, providing them with financial solutions to bring their visions to life – everything from start-ups to listed companies. 

\r\n\r\n

You’ll develop your skills in credit analysis, financial modelling, interpretation of customer’s financial information, and managing the end-to-end lending process. 

\r\n\r\n

At the end of the Program, you’ll be ready to become a banker or leader in our business by transitioning into a challenging role as an Analyst.

\r\n\r\n

Join us

\r\n\r\n

You may have a background in quantitative degrees such as Accounting, Finance, Economics, Statistics, and Mathematics or studied subjects aligned to these disciplines. You’re also -

\r\n\r\n
    \r\n\t
  • Innately curious about analysing data and information to conclude;
  • \r\n\t
  • Proactive, highly engaged and an ambitious self-starter;
  • \r\n\t
  • Someone who has excellent interpersonal skills and a strong desire to succeed;
  • \r\n\t
  • Passionate about building meaningful relationships with our customers
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align with one of our roles. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian/NZ citizen or Australian permanent resident at the time of your application;
  • \r\n\t
  • In the final year of your overall university degree, or have completed your final subjects within the last 24 months; and
  • \r\n\t
  • Achieving at least a credit average across your overall degree;
  • \r\n
", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://aus01.safelinks.protection.outlook.com/?url=https%3A%2F%2Fcba.wd3.myworkdayjobs.com%2FPrivate_Ad%2Fjob%2FSydney-CBD-Area%2FXMLNAME-2025-CommBank-Graduate-Campaign_REQ215056&data=05%7C02%7CTanaya.Williams%40cba.com.au%7C8a6d818b4d2a461d4bda08dca0930f0a%7Cdddffba06c174f3497483fa5e08cc366%7C0%7C0%7C638561800709591148%7CUnknown%7CTWFpbGZsb3d8eyJWIjoiMC4wLjAwMDAiLCJQIjoiV2luMzIiLCJBTiI6Ik1haWwiLCJXVCI6Mn0%3D%7C0%7C%7C%7C&sdata=Jz%2FstR%2B3IBjjeDWWh%2BmuW3ZVYiCqk699%2F9kmClWPFq8%3D&reserved=0", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/banking-and-accounting-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-21T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d7" - }, - "title": "Graduate Security Analyst", - "description": "

The role

\r\n\r\n

The security of our product is fundamental to Xero. The security teams work with all areas of the business to ensure our systems are secure. We keep the good in and the bad out. We help engineers produce secure products, defend Xero from cyber attacks, and do everything in between.

\r\n\r\n

You’ll have the opportunity to rotate within different security teams or spend one or more rotations in our core technical program. You’ll be self-driven, enjoy collaborating with different teams across the business, and thrive on technical challenges. All you need is an interest in security, you don’t need to have studied it.

\r\n\r\n

Security analysts focus on the less code-heavy aspects of cyber security. The role values people with a keen eye for detail, naturally inquisitive skills, and a drive for upholding the safety of our customers. The role covers a range of duties including:

\r\n\r\n
    \r\n\t
  • assessing Xero’s security risks
  • \r\n\t
  • helping Xero pass security audits
  • \r\n\t
  • assisting in security education campaigns
  • \r\n\t
  • monitoring Xero for cyberattacks
  • \r\n\t
  • being involved in security incidents by defending Xero as attacks occur
  • \r\n
\r\n\r\n

What we’d like to see from you

\r\n\r\n

Ideally, you’ll:

\r\n\r\n
    \r\n\t
  • have a passion for and express interest in the security and privacy of our customers like working with servers or data, and if you like to - script or write code then that’s a great combo
  • \r\n\t
  • love problem solving, thinking on your feet, helping other people, and taking the initiative enjoy investigating why things work, not just how they work
  • \r\n\t
  • enjoy building solutions for other Xeros, removing pain points and making their lives easier
  • \r\n\t
  • diving deep and analysing root causes of issues and potential vulnerabilities
  • \r\n
\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Xero Australia", - "website": "https://au.prosple.com/graduate-employers/xero-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/KVaT4twSLI6xmGq9GgeTi6jKK_xWDbKN4mpISIUzHeQ/1710820238/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-xero-480x480-2024.jpg" - }, - "application_url": "https://jobs.lever.co/xero/8dba3804-a17a-4ec3-9944-91613846c835", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/xero-australia/jobs-internships/graduate-security-analyst-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d8" - }, - "title": "Business and Consulting Vacationer Program", - "description": "

Our candidate pool will be reviewed as additional places in our Vacationer Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Business and Consulting areas as a vacationer?

\r\n\r\n

Imagine a problem an organisation might have: The customers aren’t happy. A reputation is damaged. A new policy hasn’t met its objectives. The HR department hasn’t kept up with rapid business expansion. There are so many challenges in the everyday and in planning for the future – as a consultant, you’ll help solve problems like these within a cross-functional team who can truly assess a problem and then develop and deliver solutions that meet the client’s long-term goals. Taking this opportunity won’t just build your skills in the specialisation you choose, you’ll learn about a variety of fields and industries. 

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialities, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Business, Consulting and Risk pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be finance experts working alongside software developers and change and communications professionals. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, meeting with clients to understand their business, updating project plans, as well as the delivery of the solution your client selects. 

\r\n\r\n

Explore the types of work you could do in more detail.

\r\n\r\n

About the vacationer program

\r\n\r\n
    \r\n\t
  • For students in their second-last year of study in 2025
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work approx. November with a job for 4-8 weeks to learn real-world work skills during your study vacation time
  • \r\n\t
  • Opportunities to move directly into our graduate program: a one-year program after you graduate with targeted coaching, support and development.
  • \r\n
\r\n\r\n

What vacationers and grads say

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad) 

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

I’m truly part of the team working on the project. My team support me to give things a try and learn as I work. (Matt, 2023 vacationer) 

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the 5-minute application form. If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Vacationer Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTS", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/business-and-consulting-vacationer-program-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-10-30T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4d9" - }, - "title": "ITE1/2-SITEC Telecommunications Interception and Data Specialist", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

Working closely with internal and external stakeholders, you will drive and manage projects that provide capabilities to capture and deliver lawful telecommunications interception (TI) and telecommunications data product in accordance with legislative requirements, standards and specifications. The role involves liaison with Carrier/Carriage Service Providers (C/CSPs), Designated Communications Providers (DCPs), Interception Agencies (agencies) and communications equipment and software vendors, both domestic and international.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Senior Technical Specialist in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Manage the development, implementation and maintenance of strategic or interim lawful interception and telecommunications data capabilities.
  • \r\n\t
  • Provide technical leadership for the development of ASIO’s TI and data request systems.
  • \r\n\t
  • Liaise with domestic and international:\r\n\t
      \r\n\t\t
    • C/CSPs and DCPs.
    • \r\n\t\t
    • Interception and data request agencies (mostly law enforcement and anti corruption agencies).
    • \r\n\t\t
    • Commercial providers (communications equipment and software vendors).
    • \r\n\t\t
    • Government and internal stakeholders.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Regularly test lawful interception and delivery systems, performing protocol analysis and network-level problem-solving.\r\n\t
      \r\n\t\t
    • Provide level 2 and 3 support for TI connections, collection, product assurance systems, telecommunications data requests and CLOUD Act data.
    • \r\n\t\t
    • Contribute to the provision of technical telecommunications SME advice to internal and external stakeholders, including for the provision of policy and process development.
    • \r\n\t\t
    • Contribute to the development of TI standards and specifications within Australia.
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

As a Technical Specialist in ASIO, you will:
\r\nContribute to the development, implementation and maintenance of strategic or interim lawful interception and telecommunications data capabilities.

\r\n\r\n
    \r\n\t
  • Provide technical expertise that informs the development of ASIO’s TI and data request systems.
  • \r\n\t
  • Liaise with domestic and international:\r\n\t
      \r\n\t\t
    • C/CSPs and DCPs.
    • \r\n\t\t
    • Interception and data request agencies (mostly law enforcement and anti corruption agencies).
    • \r\n\t\t
    • commercial providers (communications equipment and software vendors).
    • \r\n\t\t
    • Government and internal stakeholders.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Regularly test lawful interception and delivery systems, performing protocol analysis and network-level problem-solving.\r\n\t
      \r\n\t\t
    • Provide level 1 and 2 support for TI connections, collection, product assurance systems, telecommunications data requests and CLOUD Act data.
    • \r\n\t\t
    • Contribute to the provision of technical telecommunications SME advice to internal and external stakeholders, including for the provision of policy and process development.
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n

Experience, background or understanding of one or more of the following:

\r\n\r\n
    \r\n\t
  • Demonstrated experience in telecommunications technologies.
  • \r\n\t
  • Demonstrated experience with carrier networks and/or interception and retained telecommunications data systems.
  • \r\n\t
  • Demonstrated system integration and project delivery experience.
  • \r\n\t
  • Experience in NiFi and cloud technologies.
  • \r\n\t
  • Understanding in any of the following:\r\n\t
      \r\n\t\t
    • IP/IMS Networks (architecture, systems and related protocols).
    • \r\n\t\t
    • Contemporary mobile network architecture such as LTE and 5G.
    • \r\n\t\t
    • NFV/virtualisation/containerisation as applicable to telecommunications networks, or
    • \r\n\t\t
    • Carrier-level VoIP implementations.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Previous exposure to 3rd Generation Partnership Program (3GPP) and/or European Telecommunications Standards Institute (ETSI) specifications.
  • \r\n
\r\n\r\n

Open to recent graduates

\r\n\r\n

What we offer you 

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available. 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Mentoring opportunities.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are encouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra, Sydney and Melbourne. Relocation assistance is provided to successful candidates where required. 

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience meet the requirements of the role.
  • \r\n\t
  •  A current CV, no more than 2 pages in length, outlining your employment history, the dates and a brief description of your role, as well as any academic qualifications or relevant training you may have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager.
  • \r\n\t
  • All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 
  • \r\n
\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.
\r\n
\r\nClosing date and time

\r\n\r\n

Monday 27 January 2025, 5:00pm AEDT
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Enquiries

\r\n\r\n

If you require further information after reading the selection documentation, please contact ASIO Recruitment at careers@asio.gov.au or phone 02 6263 7888.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.viewFullSingle?in_organid=12852&in_jnCounter=221300814&in_version=&in_jobDate=All&in_jobType=&in_residency=&in_graphic=&in_param=&in_searchbox=YES&in_recruiter=&in_jobreference=&in_orderby=&in_sessionid=&in_navigation1=&in_summary=S", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite12-sitec-telecommunications-interception-and-data-specialist" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-27T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4da" - }, - "title": "Data Analytics Internship", - "description": "

At Allianz, we’re proud to be one of the world’s leading insurance and asset management brands, with a workforce as diverse as the world around us. 

\r\n\r\n

We care about our customers, which is why we hire the very best people to further our commitment to securing the future of our customers, partners, and the community so we’re ready when they need it most. 

\r\n\r\n

We offer our people a workplace where everyone feels like they belong, while promoting a culture of lifelong learning, development, and global mobility. Join us and share your ideas, be inspired, give back and feel proud to be a part an organisation doing meaningful work that matters like tackling climate change, mental health, and well-being. 

\r\n\r\n

Let’s care for tomorrow, so we can create a better future together, for everyone. 

\r\n\r\n

 Data Analytics Intern | Sydney – NSW 

\r\n\r\n
    \r\n\t
  • Work 20 hours a week part-time whilst completing your study
  • \r\n\t
  • 5-month Semester Internship Program to build your data skills and experience
  • \r\n\t
  • Hands-on role with dedicated coaching and development support
  • \r\n
\r\n\r\n

Our Data Analytics Semester Internship Program will provide you with the opportunity to receive a tailored and supportive early career experience. At Allianz, we have Data Analysts across most parts of the business and Data Analytics is one of our strategic growth areas. Our Data Analytics Intern will be joining either one of the following areas:   

\r\n\r\n
    \r\n\t
  • People and Culture Reporting & Analytics team.
  • \r\n\t
  • Risk Compliance and Customer Advocacy team.
  • \r\n
\r\n\r\n

To be successful in this role we need analytical thinkers who learn and adapt quickly, have strong interpersonal skills and are able to develop relationships with key stakeholders. 

\r\n\r\n

About you 

\r\n\r\n
    \r\n\t
  • You are a final year Data Analytics, Data Science, Statistics, Mathematics, Actuarial or IT undergraduate student.
  • \r\n\t
  • You will be available to work a minimum of 20 hours per week during your semester internship.
  • \r\n\t
  • You are an Australian or New Zealand Citizen or hold Australian Permanent Residency at the time of application.
  • \r\n\t
  • You must attach your most up to date University results in the form of an Academic Transcript or university-issued proof of results.
  • \r\n\t
  • You must attach a cover letter outlining your suitability to the role and a resume.
  • \r\n
\r\n\r\n

What's on offer? 

\r\n\r\n
    \r\n\t
  • On-the-job development and technical training to assist you to accelerate your skills.
  • \r\n\t
  • Support, mentoring and leadership through Senior Leaders and our Talent Management team.
  • \r\n\t
  • An attractive range of employee benefits, including insurance at discounted rates, community support programs and flexible leave arrangements.
  • \r\n\t
  • Market competitive remuneration.
  • \r\n
\r\n\r\n

About us 

\r\n\r\n

At Allianz, we care about everything that makes you, you. We believe in an equitable workplace that celebrates diversity and inclusion, where people of all genders, ages, religions, sexual orientations, abilities, and work statuses are not only welcomed, but valued for the perspectives and talents they bring to work.  We are committed to fostering an environment where everyone can thrive, grow, and contribute their unique perspectives to our collective success and reach their fullest potential. 

", - "company": { - "name": "Allianz Australia", - "website": "https://au.prosple.com/graduate-employers/allianz-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/dpYqAADeeyhv_iJerSYJl1i1AwuW8HS8SZzxmjyNYSA/1596548028/public/styles/scale_and_crop_center_80x80/public/2020-08/logo-allianz-480x480-2020.jpg" - }, - "application_url": "https://careers.allianz.com/job-invite/48959/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/allianz-australia/jobs-internships/data-analytics-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4db" - }, - "title": "Engineering (Environmental) Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/engineering-environmental-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4dc" - }, - "title": "Product Engineering Intern #GeneralInternship", - "description": "By joining Singtel, you will be part of a caring, inclusive and diverse workforce that creates positive impact and a sustainable future for all.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Product-Engineering-Intern-GeneralInternship-Sing/1052447666/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-product-engineering-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4dd" - }, - "title": "Graduate", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Engage in cyber security and technology projects.
  • \r\n\t
  • Collaborate with teams.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will have:

\r\n\r\n
    \r\n\t
  • A recent technical degree in Cyber Security, Network Engineering, Computer Science, or Information Technology.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Offers include competitive remuneration, bonus incentives, flexible working arrangements, and participation in the Bluerydge Loyalty Program.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for growth through education, courses, training, and mentorship by experienced professionals.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement with opportunities to thrive and grow within the company over the next few years.

\r\n\r\n

How to apply

\r\n\r\n

Submit an application and position pitch addressing the role, explaining why you should be considered for the graduate team.

\r\n\r\n

Report this job

", - "company": { - "name": "Bluerydge", - "website": "https://au.prosple.com/graduate-employers/bluerydge", - "logo": "https://connect-assets.prosple.com/cdn/ff/rzhyXXN9tXa5ogH0zNpJUAYSp2o4XHMtQlusy6NC4NY/1637718421/public/styles/scale_and_crop_center_80x80/public/2021-11/logo-bluerydge-480x480-2021.png" - }, - "application_url": "https://www.bluerydge.com/career/graduate-pathways/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bluerydge/jobs-internships/graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4de" - }, - "title": "Cyber Security Graduate", - "description": "

Ready to launch your career in cybersecurity?

\r\n\r\n

Our exclusive 2-year Cyber Security Graduate Program offers you the chance to rotate through four, 6-month assignments across our Security Operations Centre and Cyber Security teams. This program provides hands-on experience, allowing you to explore various roles, develop a diverse skill set, and build your expertise in the rapidly evolving cybersecurity domain.

\r\n\r\n

In your final rotation, you will have the opportunity to select a role within the Cyber organisation that aligns with your career aspirations. Whether you’re passionate about data visualisation development, threat research, detection engineering or automation, we’ll support you in shaping your future at AARNet.

\r\n\r\n

Who are we?

\r\n\r\n

Australia’s Academic and Research Network (AARNet) was established in 1989 and is widely regarded as the founder of the Internet in Australia and renowned as the architect, builder and operator of world-class network infrastructure for research and education. As a non-for-profit telecommunication company, we provide services to schools, universities and research facilities.

\r\n\r\n

We are an organisation of innovators, doers, and courageous thinkers. We are not constrained by traditional products and solutions and we constantly strive to build the solutions that our customers will need tomorrow – today. If you have the imagination, foresight and drive to build the future why not come and join us?

\r\n\r\n

About the Role

\r\n\r\n

As a graduate in the Cyber Security program, you will:

\r\n\r\n
    \r\n\t
  • Data Insights Team: Contribute to building visualisations that empower SOC analysts with actionable insights and assist in shaping our unified data pipeline to consolidate and structure SOC data.
  • \r\n\t
  • Threat Research: Collaborate with our experts to analyse emerging threats, research attacker behaviours, and enhance our threat intelligence capabilities.
  • \r\n\t
  • Detections and Automation Team: Work on creating and refining detection rules to identify malicious activity and identify automation opportunities to streamline incident response processes.
  • \r\n
\r\n\r\n

You’ll gain exposure to:

\r\n\r\n
    \r\n\t
  • Visualisation platforms and data engineering tools.
  • \r\n\t
  • Threat intelligence platforms and methodologies.
  • \r\n\t
  • Detection engineering and automation technologies.
  • \r\n\t
  • Cross-functional collaboration with a dynamic and supportive SOC team.
  • \r\n
\r\n\r\n

What you will get:

\r\n\r\n
    \r\n\t
  • Diverse Experience: Hands-on exposure to multiple cybersecurity functions.
  • \r\n\t
  • Industry Networks: Build connections with SOC and cybersecurity experts.
  • \r\n\t
  • Mentorship: Guidance from experienced leaders in cybersecurity.
  • \r\n\t
  • Flexibility: Choose your final rotation based on your career interests.
  • \r\n
\r\n\r\n

Why should you consider AARNet for your Graduate Program?

\r\n\r\n
    \r\n\t
  • Competitive Remuneration: $75,000 + super.
  • \r\n\t
  • Flexible Work Arrangements: Hybrid model and support to establish your work-from-home office.
  • \r\n\t
  • Focus on Wellbeing: Year-round initiatives and social engagement activities.
  • \r\n\t
  • Learning and Development: Access to cutting-edge tools and ongoing professional development.
  • \r\n\t
  • Generous Benefits: Includes 2 days paid Women’s Wellness Leave per month; 1 day Study Leave for your Graduation Ceremony; 2 days Family Wedding leave; 5 days First Nations Cultural and Ceremonial Leave; 8 weeks Gender Affirmation leave (after 12 months of employment)
  • \r\n\t
  • Ethical Leadership: A sector leader in cyber security, social responsibility, and equal opportunity.
  • \r\n\t
  • Modern office environment: Hotdesking system and new facilities.
  • \r\n\t
  • Support your success: A culture and company structure that allows your career to grow with access to leading-edge technologies
  • \r\n\t
  • An opportunity to give back to the academic and research sector
  • \r\n
\r\n\r\n

Your Skillset:

\r\n\r\n
    \r\n\t
  • Strong foundation in computer science, data science, or related fields with demonstrated knowledge of data management, data visualisation, threat research, or cybersecurity.
  • \r\n\t
  • Experience with programming languages such as Python, R, or SQL for data analysis and engineering tasks.
  • \r\n\t
  • Familiarity with data visualisation tools such as Tableau, Power BI, or similar platforms.
  • \r\n\t
  • Knowledge of cybersecurity principles, including threat detection and incident response.
  • \r\n\t
  • Strong analytical and problem-solving skills with an aptitude for working with complex datasets.
  • \r\n\t
  • Excellent oral and written communication skills to present findings and insights effectively to both customers and senior management.
  • \r\n\t
  • Ability to work both independently and collaboratively in a fast-paced environment.
  • \r\n\t
  • Enthusiasm and motivation to learn and contribute to a dynamic team.
  • \r\n
\r\n\r\n

Position Requirements:

\r\n\r\n

Degree: Bachelor’s, Master’s, or equivalent in Computer Science, Data Science, Cybersecurity, UX Design, or a related field.

\r\n\r\n

Working Rights: Must be an Australian Citizen or Permanent Resident.

\r\n\r\n

Graduate Status: Must currently be in the final year of a university course – expected course completion in 2025 for 2026 intake.

\r\n\r\n

Ability to travel: This position may require travel to site or our interstate offices.

", - "company": { - "name": "AARNet", - "website": "https://au.prosple.com/graduate-employers/aarnet", - "logo": "https://connect-assets.prosple.com/cdn/ff/g2mwro1Ud84Y_kTRXG-ihCO4m8iU1Omjr6ygmHQXz5U/1734923632/public/styles/scale_and_crop_center_80x80/public/2024-12/Logo-aarnet-120x120-2019.jpg" - }, - "application_url": "https://www.livehire.com/careers/aarnet/job/JC36C/LWCSLXIK3R/cyber-security-graduate?useBrowserBack=true", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/aarnet/jobs-internships/cyber-security-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4df" - }, - "title": "Technology Graduate Program", - "description": "

To help build a better world, we need the best and brightest. 

\r\n\r\n

Why not you? 

\r\n\r\n

At BHP, our purpose is to bring people and resources together to build a better world.  We have the resources. What we produce is essential to carbon reduction and the technologies essential to secure prosperity for generations to come. 

\r\n\r\n

But we need more good people. Not just anyone, but the best and brightest graduates from every field of academic and technical endeavour. Graduates who will challenge us, as we will challenge them.   

\r\n\r\n

If you join us, the opportunities are endless; because you will not only help build a better world, you will help shape it. Someone has to do it. Why not you? 

\r\n\r\n

About the Role 

\r\n\r\n

Technology is a Global function within BHP which provides Graduates a unique experience. Joining BHP, you will have the opportunity to work across many aspects of Digital Transformation including cybersecurity, operational technology, automation control systems and enterprise level systems. The technology strategy also enables you to gain excellent experience with key growth technologies like Cloud and our Data strategy.    

\r\n\r\n

Your 24-month graduate program is a balanced approach to building your technical and professional capabilities through structured course work and learning on the job. When you start, you’ll be given a buddy who will show you the ropes and gain access to our mentor program to help shape your career.  

\r\n\r\n

As BHP Technology Graduate, you will:  

\r\n\r\n
    \r\n\t
  • Rotate into different teams 2-4 times
  • \r\n\t
  • Work alongside industry leaders
  • \r\n\t
  • Collaborate on projects across multiple disciplines
  • \r\n\t
  • Contribute to improvement initiatives
  • \r\n\t
  • Attend technical forums where you will hear inspiring presentations, participate in activities focused on expanding your technical knowledge and networking with other graduates.
  • \r\n
\r\n\r\n

What we offer our Graduates 

\r\n\r\n
    \r\n\t
  • A permanent position is on offer.
  • \r\n\t
  • An attractive salary package plus a performance-based bonus
  • \r\n\t
  • Employee share program and great employee discounts
  • \r\n\t
  • An ongoing commitment to your well-being.
  • \r\n
\r\n\r\n

What we are looking for in our Graduates: 

\r\n\r\n

You will have already graduated in 2023 or 2024 or be eligible for graduation by the end of 2025. Your degree could be from one of the following (but not limited) to: 

\r\n\r\n
    \r\n\t
  • Computer Science, Data Science, Software Engineering, Mechatronics, Mathematics / Statistics, Cyber Security.
  • \r\n
\r\n\r\n

International students who have a valid visa with no work restrictions are eligible to register. 

\r\n\r\n

About Our Process 

\r\n\r\n

At BHP, we are committed to employing individuals who align with the BHP Charter Values and meet the requirements of the role. As part of the recruitment process, there are a number of checks which may be conducted to demonstrate applicants suitability for a role including police / criminal background checks, medical, drug and alcohol testing, due diligence checks, right to work checks, and/or reference checks.  

\r\n\r\n

Supporting a Diverse Workforce   

\r\n\r\n

At BHP, we recognise that we are strengthened by diversity. We are committed to providing a work environment in which everyone is included, treated fairly and with respect. We are an Equal Opportunity employer and we encourage applications from women and Indigenous people. We know there are many aspects of our employees' lives that are important, and work is only one of these, so we offer benefits to enable your work to fit with your life. These benefits include flexible working options, a generous paid parental leave policy, other extended leave entitlements and parent rooms.  

\r\n\r\n

Register now

\r\n\r\n

The future is clear, if we continue to think big.  To discover how, visit Australia graduate and student programs | BHP.

", - "company": { - "name": "BHP", - "website": "https://au.prosple.com/graduate-employers/bhp", - "logo": "https://connect-assets.prosple.com/cdn/ff/di-cWydyMYcR4mUYXyfNn-JjvxhsGJgtFzOASZbb3Yk/1679636641/public/styles/scale_and_crop_center_80x80/public/2023-03/1679636637256_bhp_orn_rgb_pos%20copysquare.jpg" - }, - "application_url": "https://www.bhp.com/careers/graduate-student-programs/australia", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bhp/jobs-internships/technology-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-08T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD", "SA", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e0" - }, - "title": "Digital Stream Graduate Program", - "description": "

Are you passionate about digital technologies? Work on things that matter with a digital or technical career in the Australian Government.

\r\n\r\n
    \r\n\t
  • Commence a full-time position in an Australian Government department or agency, with a generous salary range between $65,000–$80,000 a year
  • \r\n\t
  • Advance to a higher classification and salary at the successful completion of the 12-month program
  • \r\n\t
  • Undertake rotations in different work areas
  • \r\n\t
  • Access on-the-job and formal learning and development opportunities
  • \r\n
\r\n\r\n

About the role

\r\n\r\n

The Australian Government Graduate Program (AGGP) Digital Stream, led by the Australian Public Service Commission (APSC) and the Digital Profession, gives you an opportunity to excel in a digital or technical career after you’ve graduated from university. As a recent graduate, you’ll have an opportunity to further develop your skills while working.

\r\n\r\n

The stream is for Australian citizens undertaking a university degree in a digital or technical field who are passionate about digital technologies, have a knack for problem solving and want to work on things that matter with a digital or technical career in the Australian Government.

\r\n\r\n

A career within the Australian Public Service will give you valuable industry experience while working on projects that help everyone. From technical problem solving and analytics to digital design and development, you can find an opportunity to suit your level of skill and experience.

\r\n\r\n

Government agencies have many different digital and technical roles. These roles support the core functions of each agency and are always changing. Past graduates have worked in the following areas:

\r\n\r\n
    \r\n\t
  • Cyber security
  • \r\n\t
  • Digital media
  • \r\n\t
  • User research
  • \r\n\t
  • Programming
  • \r\n\t
  • Interactive media
  • \r\n\t
  • Software engineering
  • \r\n\t
  • Big data networking
  • \r\n\t
  • Systems analysis and design
  • \r\n\t
  • Web development
  • \r\n\t
  • Data analytics
  • \r\n\t
  • Systems testing
  • \r\n\t
  • Infrastructure support networking
  • \r\n\t
  • Applications development
  • \r\n
\r\n\r\n

Find your fit

\r\n\r\n

Successful applicants will be matched with a suitable position in a participating Australian Government department or agency. In 2023, more than 60 agencies placed graduates from the Australian Government Graduate Program.

\r\n\r\n

You’ll have the opportunity to nominate your preferred placement when you apply.

\r\n\r\n

Who can apply 

\r\n\r\n

Eligible degrees for the program, including double and honours degrees. If your degree is not listed but you believe you should be considered, please get in touch to discuss your options.

\r\n\r\n

To be eligible for the program, you must:

\r\n\r\n
    \r\n\t
  • Be an Australian citizen
  • \r\n\t
  • Have or will have completed a Bachelor degree or higher by 31 December 2025
  • \r\n\t
  • Have completed your qualification between 1 January 2021 to 31 December 2025
  • \r\n\t
  • Be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • Be willing to undergo any police, character, health or other checks required
  • \r\n
\r\n\r\n

The selection process for this program typically includes:

\r\n\r\n
    \r\n\t
  • An online application, where you’ll upload your resume, academic transcript and proof of your Australian citizenship
  • \r\n\t
  • Online testing and/or video interview, which may involve problem solving, numerical reasoning, and behavioural or emotional testing
  • \r\n\t
  • Assessment centre, where you might participate in activities such as panel interviews, group presentations or written tasks
  • \r\n\t
  • Matching and offers, where successful applicants are matched with a suitable placement in an Australian Government department or agency
  • \r\n
\r\n\r\n

Most graduate roles are based in Canberra. Some roles may be available in other Australian cities and major regional centres.

", - "company": { - "name": "Australian Government Career Pathways", - "website": "https://au.prosple.com/graduate-employers/australian-government-career-pathways", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8kAuIgEADokaRUMAzBIKEc0ylSuySoghD4y2QqEOLk/1661146639/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-australian-government-career-pathways-480x480-2022.png" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/digital-stream-MC3D3RNPVDMRDDNGDBTXBQITQARA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-government-career-pathways/jobs-internships/digital-stream-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e1" - }, - "title": "Singtel MAP Internship", - "description": "This is a full-time summer internship programme designed to develop high performing students through challenging and impactful projects.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://start.singtel.com/singtel-map-internship", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-singtel-map-internship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e2" - }, - "title": "Graduate Multimedia Engineer - Multimedia Software Development", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

Team Introduction

\r\n\r\n

Multimedia Platform department is mainly responsible for multimedia processing systems, including video transcoding systems, cloud editing systems and image processing systems. The technology stack involved includes backend services, multimedia engineering, multimedia frameworks, heterogeneous computing, etc. Our platform processes hundreds of millions of videos and tens of billions of pictures every day, strongly supporting the development of TikTok. Our vision is to build the best multimedia processing platform and become the best multimedia engineering architecture team.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Participate in the development of video computing framework to support the efficient processing of the company's massive video and complex business needs
  • \r\n\t
  • Support the multimedia-related business requirements of the company's product lines, including but not limited to image processing, video transcoding, video editing, video analysis, etc.;
  • \r\n\t
  • Responsible for video processing related performance analysis and optimization.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Proficient in at least one of the mainstream languages C/C++/Python/Go/, excellent coding skills.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Experience in multimedia related technology such as video codec, detection, and enhancement.
  • \r\n\t
  • Experience in media processing framework development is preferred.
  • \r\n\t
  • Experience in video processing related performance optimization is preferred.
  • \r\n\t
  • Experience in transcoding or computing platform development is preferred.
  • \r\n\t
  • Positive and optimistic, strong sense of responsibility, careful and meticulous work, good team communication and collaboration skills.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7337923195876870451?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-multimedia-engineer-multimedia-software-development-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e3" - }, - "title": "Mobile Engineer Intern", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

TikTok Live client team has been focusing on delivery engaging and the best live streaming experience to global users. Our team develops creative and interesting features for streamers and viewers to express themselves and interact with others instantly. We are looking for passionate software engineers to join us in this fast growing industry.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.
\r\nApplications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, implement the new-user features of our mobile application;
  • \r\n\t
  • Collaborate with the design and product teams to create a world-class mobile experience;
  • \r\n\t
  • Optimize mobile applications and user experience on the Android / iOS platforms;
  • \r\n\t
  • Promote robust and maintainable code, clear documentation, and deliver high quality work on a tight schedule.
  • \r\n
\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • BS/MS degree in Computer Science or equivalent majors with experience in native Android or iOS development.
  • \r\n\t
  • Proficiency in Swift, Java or Kotlin.
  • \r\n\t
  • Ability to understand and debug large and complex codebases.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good team communication and collaboration skills.
  • \r\n\t
  • Promote robust and maintainable code, clear documentation, and deliver high quality work on a tight schedule.
  • \r\n\t
  • Livestream knowledge is a plus but not mandatory.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7402287156418693427?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/mobile-engineer-intern-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e4" - }, - "title": "Financial Regulation Graduate Program", - "description": "

The Australian Prudential Regulation story

\r\n\r\n

Following the privatisation and deregulation binge of the 1980s and early 1990s, the Federal Government established the Financial System Inquiry in 1996. It was tasked with proposing a regulatory system that would ensure an “efficient, responsive, competitive and flexible financial system to underpin stronger economic performance, consistent with financial stability, prudence, integrity and fairness”. (Previously Australia’s financial services industry was regulated by the Australian Financial Institutions Commission, Insurance and Superannuation Commission and Reserve Bank.)

\r\n\r\n

The Financial System Inquiry recommended a statutory authority of the Federal Government be set up to oversee banks, building societies, credit unions, friendly societies, insurance companies and the superannuation industry.

\r\n\r\n

On July 1 1998, the Australian Prudential Regulation Authority (commonly referred to as APRA) was established to do exactly this. Ever since, it has supervised institutions holding assets for Australian bank customers, insurance policyholders and super fund members. With considerable success across two decades, APRA has ensured those entities that make up the financial services industry remain financially sound and able to meet their obligations to their clients.

\r\n\r\n

Our vision

\r\n\r\n

In order to reflect APRA's forward-looking philosophy, our Vision is focused on two strategic themes: Protected today, prepared for tomorrow.

\r\n\r\n

Our values

\r\n\r\n

Our values underpin the critical role we play in protecting the financial well-being of the Australian community. Our values were selected to help everyone at APRA to achieve the high standards necessary for us to protect the financial well-being of the Australian community. In our work and in our interactions with others, we seek to demonstrate:

\r\n\r\n
    \r\n\t
  • Integrity – we act without bias, are balanced in the use of our powers, and deliver on our commitments.
  • \r\n\t
  • Collaboration – we actively seek out and encourage diverse points of view, to produce well-founded decisions
  • \r\n\t
  • Accountability – we are open to challenge and scrutiny, and take responsibility for our actions
  • \r\n\t
  • Respect – we are always respectful of others, and their opinions and ideas
  • \r\n\t
  • Excellence – we maintain high standards of quality and professionalism in all that we do
  • \r\n
\r\n\r\n

Working and acting in these ways helps us achieve the high standards necessary for us to protect the financial well-being of the Australian community. Our supervisory approach is forward-looking, primarily risk-based, consultative, consistent and in line with international best practice. This approach also recognises that management and boards of supervised institutions are primarily responsible for financial soundness.

\r\n\r\n

The culture

\r\n\r\n

APRA’s workplace diversity strategy “takes a pro-active and innovative approach in creating a flexible and inclusive employment environment that values and utilises the contribution of people of different backgrounds, experiences, perspectives and abilities”. APRA offers an extensive range of flexible work arrangements to allow staff to meet family and other commitments.

\r\n\r\n

Social contribution

\r\n\r\n

APRA staff play a vital role in protecting the financial well-being of almost every Australian citizen by overseeing around $8 trillion of bank deposits, super contributions and insurance premiums. APRA also has a workplace-giving scheme that allows donations to be taken directly from an employee’s salary.

\r\n\r\n

The vibe of the place

\r\n\r\n

APRA combines most of the good aspects of the public and private sectors. Staff are well looked after but also get to enjoy a good work-life balance and enviable degree of job security. While a clear hierarchy exists, those at the top of it are approachable. There are lots of social events and staff often go out for social occasions at the end of the working day.

\r\n\r\n

The recruitment process

\r\n\r\n

APRA recruits graduates who’ve achieved at least a minimum credit average in, but not limited to a discipline. Graduates from the following degrees are generally attracted to apply: actuarial studies, commerce, economics, econometrics, finance, financial modelling, law, mathematics, Engineering, public policy and statistics. Those from other disciplines may be considered if they are high achievers with impressive research and analytical skills. The grad program will be only available at APRA’s Sydney, Brisbane and Melbourne offices.

\r\n\r\n

Applications open: February - April Annually, and at times an additional recruitment round can be opened throughout the year. If you are interested to keep in contact, register your interest by clicking the pre-register button below

\r\n\r\n
    \r\n\t
  1. Apply online (February- April)
  2. \r\n\t
  3. Psychometric assessment (April)
  4. \r\n\t
  5. Assessment Centre (3 hours) (May)
  6. \r\n\t
  7. Final interview (In person at Brisbane, Sydney, Melbourne or virtually) (June)
  8. \r\n\t
  9. Reference check (June -July)
  10. \r\n\t
  11. Offer or Merit List (July onwards)
  12. \r\n
\r\n\r\n

Each year we often see many fabulous graduates, more than we can offer. In this instance we inform some applicants that they are on a ‘Merit’ list. APRA uses this list should APRA increase the graduate program intake number or a graduate withdraws from the program. We also look to the Merit list before opening up a new recruitment campaign and we will keep you updated for the next 6 months regarding graduate-level opportunities across APRA. 

\r\n\r\n

Remuneration

\r\n\r\n

APRA’s funding is provided by the industry it regulates rather than the taxpayer, and it offers unusually lavish benefits for a public-sector employer. 

\r\n\r\n

APRA's graduate starting salary is $85,000 inclusive of superannuation. APRA is focused on intensively building your capabilities, and through capability growth, on average, graduate salaries have increased 10% annually for the first few years or your career. APRA is dedicated to investing in early talent and reviews salaries comparatively with external and internal salary data. 

\r\n\r\n

Our employees enjoy a range of benefits including working in a flexible, inclusive and diverse environment.

\r\n\r\n

Some benefits offered to employees include:

\r\n\r\n
    \r\n\t
  • Health and well-being checks
  • \r\n\t
  • Annual flu vaccinations
  • \r\n\t
  • Employee Assistance Program (professional and confidential counselling sessions for employees and their immediate families)
  • \r\n\t
  • Wellbeing Ambassador network
  • \r\n\t
  • Ergonomic workstations
  • \r\n\t
  • Regular social events
  • \r\n\t
  • Subsidised corporate team sports, running events and pedometer challenge
  • \r\n\t
  • Discounted gym memberships
  • \r\n
\r\n\r\n

Career prospects

\r\n\r\n

After finishing the grad program, we will work with you to find a team that you wish to join permanently. In joining that team, you will be promoted to the role of Analyst. APRA promotes employees on capability growth, so your path and progression is your own, following the graduate program.  You do not have to stay in a role level for a period of time before progression. APRA encourages open and honest discussions between the employee and their manager. We have numerous training courses to strengthen your skills, both personally and technically. APRA is focused on encouraging mobility; therefore you can move across teams as opportunities become available, or an opportunity to be seconded to another agency such as the RBA, ASIC, Treasury or the like. 

", - "company": { - "name": "Australian Prudential Regulation Authority (APRA)", - "website": "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra", - "logo": "https://connect-assets.prosple.com/cdn/ff/8VphHDM-cMSaiNZC9WiFCP5Y7IbPVTVuO34cEtfyOew/1708482025/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-apra-480x480-2024.jpg" - }, - "application_url": "https://2025graduateprogram-apra.pushapply.com/login?utm_source=prosple", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-prudential-regulation-authority-apra/jobs-internships/financial-regulation-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e5" - }, - "title": "ICT Graduate Rotation Program", - "description": "

About Cenitex

\r\n\r\n

Are you interested in working on real-world ICT programs of work that support a modern, agile and productive public sector, and underpin the State Government’s commitment to a digital Victoria?

\r\n\r\n

If you are, and if you thrive in a solutions-focused high-energy team environment, apply now to join our excellent Graduate Program.

\r\n\r\n

What's on offer?

\r\n\r\n

As a Cenitex Graduate, you have the freedom to choose the teams you'd like to work with to create your own pathway and experiences. Collaboration across teams is critical to the way we do things, and we encourage our Grads to experience working across a mix of IT and corporate services areas. You'll have the opportunity to explore your creative as well as analytical side and put into practice what you've learned at uni.

\r\n\r\n

You'll be immersed in different teams for your various rotations across the business. You will assist with day-to-day operations and projects and have the opportunity to learn and apply customer service and technical skills within a fast-paced environment.

\r\n\r\n

We are proud of our sought after and rewarding Graduate Program. 

\r\n\r\n

Find a place with purpose, this is your time, go for it! 

\r\n\r\n

Pre-register now!

", - "company": { - "name": "Cenitex", - "website": "https://au.prosple.com/graduate-employers/cenitex", - "logo": "https://connect-assets.prosple.com/cdn/ff/GlDNFYsbkZg0XH0BDcf7jn9S6mDujUuQHo8l2Vh8gqs/1658289053/public/styles/scale_and_crop_center_80x80/public/2022-07/logo-cenitex-480x480-2022.png" - }, - "application_url": "https://www.livehire.com/job/cenitex/EQBAD", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/cenitex/jobs-internships/ict-graduate-rotation-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e6" - }, - "title": "Join - Amazon WoW ANZ", - "description": "Amazon WoW, is a skill development program to support women students in Australia & New Zealand.The program seeks to inspire and enable the next generation of women tech leaders.", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/content/en/career-programs/university/women-of-the-world", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-join-amazon-wow-anz" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-01T12:59:00.000Z" - }, - "locations": ["NSW", "QLD", "VIC", "AUSTRALIA", "WA"], - "study_fields": ["Computer Science", "Engineering - Software"], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e7" - }, - "title": "Frontend Engineer Intern", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

The TikTok Live QA team has been focusing on the high quality and the best user experience of TikTok Live products. Our team uses advanced autotesting tools and comprehensive quality assurance methods to continuously control the delivery of products. We are looking for passionate SDET engineers to join this fast growing industry.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.
\r\nApplications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • To develop user-interfaces for TikTok LIVE on PC/ Mobile Devices, including Middle platform, Operating platform, Products for users, Events with Multi-scales and etc.
  • \r\n\t
  • To develop infrastructures such as engineering solutions that will be supporting TikTok LIVE's business and productivity tools and platforms.
  • \r\n\t
  • Create the ultimate user experience and support the growth and development of the TikTok LIVE Ecosystem with high-quality design and coding.
  • \r\n\t
  • Explore and implement efficient collaboration methods to enhance the efficiency of remote and cross-regional communication and support the iteration of our business.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Undergraduate, or Postgraduate who is currently pursuing a degree/master in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid front-end programming skills with experience in solving browser compatibility issues and optimizing front-end performance.
  • \r\n\t
  • Understand front-end engineering and component development, having a certain design skill set and familiar with at least one MV* framework.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Having excellent service awareness, learning ability, communication and collaboration ability to use in communication and collaboration.
  • \r\n\t
  • Good to have experience in multi-end (Native/PC/Server) development.
  • \r\n\t
  • Good to have experience in participating or leading large-scale projects and open source projects.
  • \r\n\t
  • Good to have experience in writing tech articles or tech blogs.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7402220165508057354?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/frontend-engineer-intern-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e8" - }, - "title": "Graduate Frontend Software Engineer", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

We are looking for talented individuals to join us in 2026. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • To develop user-interfaces for TikTok LIVE on PC/ Mobile Devices, including Middle platform, Operating platform, Products for users, Events with Multi-scales and etc.
  • \r\n\t
  • To develop infrastructures such as engineering solutions that will be supporting TikTok LIVE's business and productivity tools and platforms.
  • \r\n\t
  • Create the ultimate user experience and support the growth and development of the TikTok LIVE Ecosystem with high-quality design and coding.
  • \r\n\t
  • Explore and implement efficient collaboration methods to enhance the efficiency of remote and cross-regional communication and support the iteration of our business.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid front-end programming skills with experience in solving browser compatibility issues and optimizing front-end performance.
  • \r\n\t
  • Understand front-end engineering and component development, having a certain design skill set and familiar with at least one MV* framework.
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Having excellent service awareness, learning ability, communication and collaboration ability to use in communication and collaboration.
  • \r\n\t
  • Good to have experience in multi-end (Native/PC/Server) development.
  • \r\n\t
  • Good to have experience in participating or leading large-scale projects and open source projects.
  • \r\n\t
  • Good to have experience in writing tech articles or tech blogs.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://careers.tiktok.com/position/7372525851218463014/detail?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-frontend-software-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4e9" - }, - "title": "ITE2-SITEC Machinist / Fitter and Turner / Toolmaker", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value.

\r\n\r\n

The opportunity

\r\n\r\n

ASIO is seeking an experienced Machinist, Fitter and Turner, or Toolmaker to develop unique mechanically engineered solutions and products. This position is a capability leadership role within a small engineering team that is responsible for delivery of bespoke mechanical fabrication and assemblies. You will be responsible for mechanical manufacture design and engineering from conceptual computer aided design (CAD) models through to product delivery. 

\r\n\r\n

We build our unique products using state of the art technologies in manufacture, software, and electronics, developing unique application techniques for complex problems. The breadth of ASIO’s work program will give the successful applicant the opportunity to be exposed to leading edge technologies and see the impacts of their work.

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

This role may attract an additional technical skills allowance of up to 10% of base salary.

\r\n\r\n

Role responsibilities 

\r\n\r\n

As a Senior Machinist in ASIO, you will:

\r\n\r\n
    \r\n\t
  • Communicate with partner teams to define fabrication and assembly requirements.
  • \r\n\t
  • Interpret mechanical engineering drawings, informal sketches and verbal requirements to produce functional parts.
  • \r\n\t
  • Design mechanical solutions in conjunction with partner teams.
  • \r\n\t
  • Fabricate and construct mechanical components and assemblies using CNC and manual processes.
  • \r\n\t
  • Provide mechanical fabrication advice and contribute to the development of fabrication capabilities.
  • \r\n\t
  • Mentor and train staff on the use of select workshop equipment.
  • \r\n\t
  • Maintain workshop facilities, equipment and material stock.
  • \r\n
\r\n\r\n

What you will bring

\r\n\r\n
    \r\n\t
  • We invite applications from people with the following attributes:
  • \r\n\t
  • Fitting Machining Trade qualifications and/or equivalent experience. 
  • \r\n\t
  • Demonstrated sound judgement.
  • \r\n\t
  • Ability to work as part of a close-knit team of technical specialists, including assisting other specialists and functions as required. 
  • \r\n\t
  • Demonstrated customer-focused approach to your work.
  • \r\n
\r\n\r\n

In addition to the above, at the ITE2 (APS6) level you will: 

\r\n\r\n
    \r\n\t
  • Have multiple years of experience in your trade.
  • \r\n\t
  • Proficiency in the use of computer aided manufacture (CAM) software and machine control. 
  • \r\n
\r\n\r\n

In addition to the above, at the SITEC (EL1) level you will: 

\r\n\r\n
    \r\n\t
  • Be a highly experienced expert in your trade (and/or experienced in multiple technical disciplines. 
  • \r\n\t
  • Have experience in mentoring junior and other trades professionals.
  • \r\n\t
  • Be confident in providing detailed subject matter expertise and advice to senior management. 
  • \r\n\t
  • Be able to identify and suggest improvements and strategic change for consideration by management. 
  • \r\n\t
  • Have expertise in computer numerical controlled (CNC) turning, milling, EDM.
  • \r\n\t
  • Have experience using computer aided design (CAD) and computer aided manufacture (CAM) software.
  • \r\n\t
  • Be able to provide technical support to compliance and other executive/strategic reporting as required.
  • \r\n
\r\n\r\n

As a SITEC, experience with multi-axis machining is desirable.

\r\n\r\n

What we offer you

\r\n\r\n

ASIO provides a number of benefits to its staff including:

\r\n\r\n
    \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4%.
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. (Please note: due to our unique working environment, work from home options are generally not available.
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n\t
  • Significant training and development opportunities. 
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Have completed your trade qualification.
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance.
  • \r\n
\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome and value applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander peoples are 
\r\nencouraged to apply.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

These positions are located in Canberra. Relocation assistance is provided to successful candidates where required.

\r\n\r\n

How to apply

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following:

\r\n\r\n
    \r\n\t
  • A written pitch of up to 800 words using examples to demonstrate how your skills and experience 
  • \r\n\t
  • meet the requirements of the role. 
  • \r\n\t
  • A current CV, no more than 2 pages in length, outlining your employment history, the dates and a 
  • \r\n\t
  • brief description of your role, as well as any academic qualifications or relevant training you may 
  • \r\n\t
  • have undertaken.
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager. 
  • \r\n
\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment.

\r\n\r\n

Closing date and time

\r\n\r\n

Monday 3 February 2025 at 5:00pm AEDT 
\r\nNo extensions will be granted and late applications will not be accepted. 

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

More information

\r\n\r\n

For more information about ASIO, please visit: www.asio.gov.au

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/ite2-sitec-machinist-fitter-and-turner-toolmaker" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ea" - }, - "title": "STAR (Student Training and Rotation) Program Intern (VT/STAR) - Brisbane - Sales", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Participate in a 2-year rotational program across various business areas.
  • \r\n\t
  • Engage in networking, customer communication, and project management.
  • \r\n\t
  • Work part-time during the academic year and full-time during breaks.
  • \r\n\t
  • Receive structured development, coaching, and mentoring.
  • \r\n\t
  • Interact with managers, leaders, and executives.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:

\r\n\r\n
    \r\n\t
  • Studying Degree(s) in Business, perhaps with an IT major although other academic backgrounds will be considered.
  • \r\n\t
  • Finishing their studies no earlier than the end of 2025.
  • \r\n\t
  • Able to work at least 2 days per week during the semester (3 days preferred).
  • \r\n\t
  • Strong communication skills in English.
  • \r\n\t
  • Interest in technology and digital solutions for business challenges.
  • \r\n\t
  • Problem-solving skills, ambition, and resilience.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

The program offers competitive pay, flexible working hours, and the opportunity to earn academic credit.

\r\n\r\n

Training & development

\r\n\r\n

Participants will benefit from on-the-job training, mentorship, and exposure to leadership, enhancing both personal and professional growth.

\r\n\r\n

Career progression

\r\n\r\n

Upon completion, candidates can apply for Academy Positions and permanent roles, fostering long-term career development within the company.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by sending your resume and cover letter. Include any requests for accommodations if needed.

", - "company": { - "name": "SAP Australia", - "website": "https://au.prosple.com/graduate-employers/sap-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/PRjT4gwk7aDZ76qxYnFGbijKvC-OuX-fTazhWq74lvw/1592135831/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-sap-240x240-2020.jpg" - }, - "application_url": "https://sap.valhalla.stage.jobs2web.com/job/Queensland-STAR-Student-Training-and-Rotation-Program-Intern-VTSTAR-Brisbane-4000/120752550", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sap-australia/jobs-internships/star-student-training-and-rotation-program-intern-vtstar-brisbane-sales" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4eb" - }, - "title": "Aboriginal & Torres Strait Islander Pathway Graduate Program", - "description": "

About Us

\r\n\r\n

Westpac Group is now on its third Elevate Reconciliation Action Plan (RAP), its fifth RAP overall. Elevate RAP organisations have a strong strategic relationship with Reconciliation Australia and actively champion initiatives to empower Aboriginal and Torres Strait Islander peoples and create societal change. 

\r\n\r\n

You can read more about Westpac Group’s Reconciliation Action Plan on our website. 

\r\n\r\n

About the Program

\r\n\r\n

Our program is structured to help you identify your focus areas. We’ll provide tailored training sessions to build and strengthen your technical and soft skills to help accelerate your personal and professional career development. 

\r\n\r\n

You can explore a broad range of career pathways in areas across our Institutional Bank. You will also have the opportunity to join our Indigenous Mentoring Program where you will be tailor matched to mentors across the business.

\r\n\r\n

Our Indigenous Careers Team in partnership with the Grad Programs Team will be there to support you throughout your journey, from application through to program completion.

\r\n\r\n

Program Eligibility

\r\n\r\n

You identify as Aboriginal and/or Torres Strait Islander, AND you are in your final year of study of a university degree OR completed an undergraduate or postgraduate degree no more than 3 years ago.

\r\n\r\n

We welcome applications from all degrees of study.

\r\n\r\n

IMPORTANT: When completing the application form, please ensure you EXPAND ALL SECTIONS to INCLUDE your EDUCATION details and UPLOAD your RESUME & ACADEMIC TRANSCRIPT.

\r\n\r\n

Your Grad Journey

\r\n\r\n

You’ll start with us as a permanent employee commencing in February 2026. 

\r\n\r\n

You’ll complete a rotational program to help you learn about different parts of your business area. It’s packed full of different roles, teams and project experiences.

\r\n\r\n

As you near the end of your program, our team will provide you with a Career Transition Series to prepare you for the end of your Grad experience and assist you in putting your best foot forward when looking for post-program roles.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

\r\n\r\n

Reconciliation at Westpac Group

\r\n\r\n

Our vision for reconciliation is an Australia where Aboriginal and Torres Strait Islander peoples have equitable economic participation and financial wellbeing. We seek to achieve this by listening to, learning from, partnering with, and elevating Aboriginal and Torres Strait Islander voices.

\r\n\r\n

At Westpac Group our aim is to help Aboriginal and Torres Strait Islander Australians succeed by valuing culture, helping Indigenous employees build meaningful careers, providing better banking experiences for our Indigenous customers, and backing Indigenous business.

\r\n\r\n

Westpac has been granted an S126 Exemption to sections eight (8) and fifty-one (51) of the Anti-Discrimination Act 1977 (NSW); this allows us to advertise and recruit this role exclusively to Aboriginal and Torres Strait Islander applicants.

", - "company": { - "name": "Westpac Group", - "website": "https://au.prosple.com/graduate-employers/westpac-group", - "logo": "https://connect-assets.prosple.com/cdn/ff/LWGzK7HmjwoZBx6_FleY0mSV2oFUfA1T7eL4caRIi9g/1614621128/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-westpac-480x480-2021.png" - }, - "application_url": "https://ebuu.fa.ap1.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX/job/46570", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/westpac-group/jobs-internships/aboriginal-torres-strait-islander-pathway-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ec" - }, - "title": "Logistics Trainee/Graduate", - "description": "

AWS Infrastructure Services owns the design, planning, delivery, and operation of all AWS global infrastructure. In other words, we’re the people who keep the cloud running. We support all AWS data centers and all of the servers, storage, networking, power, and cooling equipment that ensure our customers have continual access to the innovation they rely on. We work on the most challenging problems, with thousands of variables impacting the supply chain — and we’re looking for talented people who want to help.
\r\n
\r\nYou’ll join a diverse team of software, hardware, and network engineers, supply chain specialists, security experts, operations managers, and other vital roles. You’ll collaborate with people across AWS to help us deliver the highest standards for safety and security while providing seemingly infinite capacity at the lowest possible cost for our customers. And you’ll experience an inclusive culture that welcomes bold ideas and empowers you to own them to completion.
\r\n
\r\nDo you want to be part of operating the world’s largest cloud computing infrastructure operation?
\r\n
\r\nLogistics specialists play a vital role in the success of Amazon Web Services by providing the right part, in the right place at the right time.
\r\n
\r\nYour contribution to this success would be maintaining the onsite parts room in AWS Data Centres, by managing the custody of computer hardware through their entire lifecycle. This involves receiving parts, safely storing parts, picking and delivering parts to hardware technicians, cycle counts, and shipping faulty hardware back to the vendor.
\r\n
\r\nThis twelve-month role will provide an introduction to working in Logistics at AWS. You will work closely with Data Centre Operations and Engineering teams to ensure reliable functioning and repair activities to support our customers, while adhering to our operational tenants of safety, security and availability.
\r\n
\r\nWe are committed to provide coaching and periodic assessments to help develop your skills. If successful after the12-month period you may have an opportunity to join the Amazon family full time.
\r\n
\r\nKey job responsibilities

\r\n\r\n
    \r\n\t
  • Maintaining inventory to ensure that proper stock levels are managed to support build and repair activities.
  • \r\n\t
  • Physically receiving and issuing out of parts as needed for internal customers.
  • \r\n\t
  • Loading, unloading and transporting parts between different sites.
  • \r\n\t
  • Keeping accurate stock records for all items within our care through physical cycle counts.
  • \r\n\t
  • Maintaining the safety, organization, and cleanliness of all workspaces using Amazon 7S principles
  • \r\n\t
  • The role may require the successful candidate to travel to other sites in the in the Melbourne metro area to assist in conducting cycle counts, receiving stock into the inventory control system, replenishing stock and returning defective stock. Travel between sites will require own transport, all travel related costs will be reimbursed.
  • \r\n
\r\n\r\n

Physical / Environmental Demands:
\r\nAmazon Operates with a principle of safety first. With this principle, we take significant care to ensure all employees operate in a safe manner and have appropriate tools to support them in undertaking their roles safely. The activities below are required with the safety principle applied.

\r\n\r\n
    \r\n\t
  • Loading and unloading shipments.
  • \r\n\t
  • Standing, sitting, and walking (including stairs) for prolonged periods of time.
  • \r\n\t
  • Willing and able to frequently push, pull, squat, bend and kneel.
  • \r\n\t
  • Reach and stretch to position equipment and fixtures while maintaining balance.
  • \r\n\t
  • Push or pull heavy objects of up to 16kg into position and participate in group lifts of 20kg or more.
  • \r\n\t
  • Coordinate body movements when using tools or equipment.
  • \r\n\t
  • Work with and/or around moving mechanical parts.
  • \r\n\t
  • Work in an office and warehouse environment where the noise level is low to moderate.
  • \r\n
\r\n\r\n

A day in the life
\r\nYour day will be spent carrying out Logistical support functions for our Data Centers. This will involve physical control and processing of spare parts transactions, consumables stock replenishment, and cycle counting of stock.

\r\n\r\n

BASIC QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • High school or relevant diploma
  • \r\n\t
  • VIC driver's license 
  • \r\n
\r\n\r\n

PREFERRED QUALIFICATIONS

\r\n\r\n
    \r\n\t
  • Forklift license. 
  • \r\n\t
  • Proficient with computers and Microsoft Office (Outlook, Word, Excel)
  • \r\n
", - "company": { - "name": "Amazon", - "website": "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/C4bWl7Aw_U_m_IRkBzu8ZuyVFW_Nt2K1RnuIhzBkaxM/1608535386/public/styles/scale_and_crop_center_80x80/public/2020-12/logo-amazon-480-480-2020.jpg" - }, - "application_url": "https://www.amazon.jobs/en/jobs/2872536/data-center-logistics-specialist-trainee-mel-logistics-infrastructure-delivery-operations", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/amazon-australia-new-zealand/jobs-internships/logistics-traineegraduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-28T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ed" - }, - "title": "Technology and Digital Vacationer Program", - "description": "

Our candidate pool will be reviewed as additional places in our Vacationer Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Technology and Digital areas as a vacationer?

\r\n\r\n

Want to play a part in how technology shapes our world and the world of generations to come? Graduates across technology and digital areas are at the forefront of driving innovation and challenging the status-quo for organisations as they look for ways to harness new developments ethically, sustainably and with maximum efficiency to their customers. Depending on your team and specialisation, you'll deal with day-to-day challenges and big-picture problems facing organisations and society. From ethical hacking and AI to IT strategy development, cyber security, cloud implementation and much more, a graduate role in a digital or tech team will see you set for a career with a big impact for the long term.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialities, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Technology, Digital and Engineering pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be cybersecurity specialists working alongside AI experts and a business transformation team.

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, as well as the delivery of the solution your client selects. 

\r\n\r\n

About the vacationer program

\r\n\r\n

For students in their second-last year of study in 2025

\r\n\r\n
    \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work approx. November with a job for 4-8 weeks to learn real-world work skills during your study vacation time
  • \r\n\t
  • Opportunities to move directly into our graduate program: a one-year program after you graduate with targeted coaching, support and development.
  • \r\n
\r\n\r\n

What vacationers and grads say

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad) 

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

I’m truly part of the team working on the project. My team support me to give things a try and learn as I work. (Matt, 2023 vacationer) 

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the 5 minute application form. If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Vacationer Program. 

\r\n\r\n

During your recruitment journey, information will be provided about adjustment requests. If you require additional support before submitting your application, please contact our Talent Support Team

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTF", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/technology-and-digital-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ee" - }, - "title": "Graduate Hire 2024/25 - Software Engineer", - "description": "The Supernova Program is a 3-year Career Accelerator Program that aims to fast-track, high performing graduates into technical experts and future leaders mainly in the fields of Product Engineering, Product Management, and Product Design.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6082305003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-software-engineer-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ef" - }, - "title": "Animation Intern", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Apply animation principles and key-frame techniques for human and animal characters.
  • \r\n\t
  • Collaborate with departments and outsourcing teams to meet technical requirements for animated assets.
  • \r\n\t
  • Work with content teams to create exciting updates for SFP.
  • \r\n\t
  • Build 3D model proxy meshes and basic rigs for pre-production.
  • \r\n\t
  • Respond to feedback and refine animations to match the SFP style.
  • \r\n\t
  • Promote an inclusive work environment across teams.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Candidates should possess the following:

\r\n\r\n
    \r\n\t
  • Recent 2024 graduate status.
  • \r\n\t
  • Proficiency in Maya or similar 3D animation software.
  • \r\n\t
  • Experience in pose-to-pose key-framed animations.
  • \r\n\t
  • Basic understanding of animation principles and body mechanics.
  • \r\n\t
  • Creativity, attention to detail, and effective communication skills.
  • \r\n\t
  • Willingness to learn and collaborate.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy an employee assistance program, inclusive parental leave, 17.5% annual leave loading, bonus end-of-year leave days, volunteer leave, flexible work reimbursement, and social events. Access to the employee stock purchase program is also available.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from structured hybrid work, quarterly team events, and 2 development days every 6 weeks, including a Game Jam and end-of-year party.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for growth within EA, with potential for advancement in animation and game development roles.

\r\n\r\n

Report this job

", - "company": { - "name": "Electronic Arts (EA)", - "website": "https://au.prosple.com/graduate-employers/electronic-arts-ea", - "logo": "https://connect-assets.prosple.com/cdn/ff/TZKvKts8YI_4V1Q4imnBptrIkGFtLRGTBA8aTF-G12E/1617776623/public/styles/scale_and_crop_center_80x80/public/2021-03/logo-electronics-art-480x480-2021.jpg" - }, - "application_url": "https://jobs.ea.com/en_US/careers/JobDetail/Animation-Intern/206699", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/electronic-arts-ea/jobs-internships/animation-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["Creative Arts", "IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f0" - }, - "title": "Indigenous Graduate Pathway", - "description": "

About Us: 

\r\n\r\n

The NDIS Quality and Safeguards Commission (the NDIS Commission) offers graduate roles that make a real difference in the community by upholding the rights of NDIS participants to access quality and safe support. 

\r\n\r\n

The NDIS Commission’s graduate program is designed to accelerate your career while fostering a social impact. You’ll embark on a series of rotations or immersion opportunities, where you’ll work on real-world projects that drive change within the Commission. 

\r\n\r\n

The organisation recognises the richness of Aboriginal and Torres Strait Islander culture, and the unique knowledge Aboriginal and Torres Strait Islander employees bring to the workplace, policy development and service delivery.

\r\n\r\n

Your new role: 

\r\n\r\n
    \r\n\t
  • A 12-month graduate development program.
  • \r\n\t
  • You’ll engage in projects and develop the skills needed to excel in the public service sector.
  • \r\n\t
  • Gain exposure to senior leaders and collaborate with teams working on impactful issues, across Australia.
  • \r\n\t
  • Flexibility in work arrangements to support a healthy work-life balance.
  • \r\n\t
  • Connect with our First Nations Employer Network.
  • \r\n
\r\n\r\n

Training and Development:

\r\n\r\n
    \r\n\t
  • Complete a structured 10-month learning program, you will participate in a comprehensive Australian Public Sector graduate development Learning Program.
  • \r\n\t
  • The Learning Program is specifically designed for graduates across the APS, you will take part in learning experiences involving real-time interactions, live learning webinars, events and activities.
  • \r\n\t
  • Receive mentorship, career coaching and planning to help develop your professional skills.
  • \r\n\t
  • Guidance and support from a dedicated Graduate Program Coordinator.
  • \r\n
\r\n\r\n

Salary and benefits:

\r\n\r\n
    \r\n\t
  • A competitive salary package commencing on APS level 4 $82,999 plus 15.4 % superannuation.
  • \r\n\t
  • Annual, cultural, and parental leave.
  • \r\n
\r\n\r\n

Culture: 

\r\n\r\n

We strive to be an inclusive and diverse community where everyone feels they belong.

\r\n\r\n

How to apply: 

\r\n\r\n

The NDIS Commission encourages people who identify as Aboriginal or Torres Strait Islander, to apply. 

\r\n\r\n

The NDIS Commission encourages people with disability and lived experience to apply. We participate in the Australian Public Service RecruitAbility Scheme which provides equitable adjustments for applicants with disability A full definition of disability is included on this website Definition of Disability.

\r\n\r\n

The NDIS Commission is the dedicated national regulator of NDIS service providers and workers in Australia. The NDIS Commission upholds the rights of NDIS participants to quality and safe supports or services, including those received under the National Disability Insurance Scheme (NDIS).  

\r\n\r\n

Find more information about what we do at https://www.ndiscommission.gov.au/about/what-we-do

", - "company": { - "name": "NDIS Quality and Safeguards Commission (NDIS Commission)", - "website": "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission", - "logo": "https://connect-assets.prosple.com/cdn/ff/5FitXaWOiM0E1FQLTV3xnEf9ojr1OfDaara7_Ts8mtU/1657366648/public/styles/scale_and_crop_center_80x80/public/2022-02/logo-ndis-commission-200%E2%80%8A%C3%97%E2%80%8A200-2022.jpeg" - }, - "application_url": "https://www.apsjobs.gov.au/s/graduate-portal/stream/indigenous-graduate-pathway-MCELFEQDGK2VBZ3M32PAWXYNAFCY", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ndis-quality-and-safeguards-commission-ndis-commission/jobs-internships/indigenous-graduate-pathway" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-31T06:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f1" - }, - "title": "Graduate Program", - "description": "

nbn ranked as the 6th “Top Graduate Employer medium size programs” by The Australian Association of Graduate Employees for 2024 - pre-register for our 2026 Program now!

\r\n\r\n

nbn is so much more than the internet.

\r\n\r\n

To be part of nbn is to be part of something bigger. We’re the digital backbone of Australia and more. Leaders. Changemakers. Collaborators. We encourage each other to find new solutions in productive, competitive and innovative ways—providing access to crucial tools and services for our customers, partners, communities, and the country.

\r\n\r\n

Recruitment for our 2026 Program will kick-off in March 2025 but don’t wait, if you will have completed your degree in the last 2 years (or be due to complete it by January 2026) in one of the following disciplines, we’d love to hear from you! 

\r\n\r\n
    \r\n\t
  • Engineering (Computer Systems, Electrical, Mechanical, Network, Software, Telecommunications, Technology)
  • \r\n\t
  • Computer Science
  • \r\n\t
  • Information Systems
  • \r\n\t
  • Information Technology
  • \r\n\t
  • Information/Cyber Security
  • \r\n\t
  • Data Science or Analytics
  • \r\n\t
  • Mathematics
  • \r\n\t
  • Business, Commerce, Economics, Marketing, Law, Arts, Project Management or Human Resources
  • \r\n
\r\n\r\n

What’s in it for you?

\r\n\r\n

More flexibility, more professional growth, and more meaningful work in a way that works for you.

\r\n\r\n

As a Graduate at nbn, you’ll have the chance to work alongside inspiring leaders and creative thinkers as you propel your career with 4 tailored rotations during your 2 years program, collaborating with innovators in your field, as we help lift Australia’s digital capability.

\r\n\r\n

That’ll include:

\r\n\r\n
    \r\n\t
  • 4 x 6 month rotations matched to your academic discipline and career interests – allowing you to discover more career opportunities,
  • \r\n\t
  • A tailored learning program for more targeted career growth, with more value in a supportive, diverse, flexible and inclusive learning environment
  • \r\n\t
  • Benefit from more mentoring and support by industry-leading experts, through your transition into nbn and beyond
  • \r\n\t
  • Support nbn initiatives by working on real projects, that contribute to the future of Australia
  • \r\n
\r\n\r\n

Get started

\r\n\r\n

If you think our Graduate Program might be for you, please express your interest by following the links and registering your details.

\r\n\r\n

To be eligible for this role you must be an Australian or New Zealand citizen or an Australian Permanent Resident.

", - "company": { - "name": "nbn", - "website": "https://au.prosple.com/graduate-employers/nbn", - "logo": "https://connect-assets.prosple.com/cdn/ff/Gy4X_kcKtNHqyFz1jCpgfJGQf5eukW6BHVXQTwcjOUE/1593007493/public/styles/scale_and_crop_center_80x80/public/2020-06/logo-nbn-480x480-2020.png" - }, - "application_url": "https://nbn.wd3.myworkdayjobs.com/nbncareers/job/Sydney/Expression-of-Interest---nbn-2026-Graduate-Program_237370-1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nbn/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-27T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f2" - }, - "title": "Business Analyst", - "description": "

About Kearney

\r\n\r\n

Kearney is a leading global management consulting firm with more than 4,200 people working in more than 40 countries. We work with more than three-quarters of the Fortune Global 500, as well as with the most influential governmental and non-profit organizations.

\r\n\r\n

Kearney is a partner-owned firm with a distinctive, collegial culture that transcends organizational and geographic boundaries—and it shows. Regardless of location or rank, our consultants are down to earth, approachable, and have a shared passion for doing innovative client work that provides clear benefits to the organizations we work with in both the short and long term.

\r\n\r\n

Kearney SOP, a specialist unit within Kearney, has a focus on procurement and supply chain, helping companies move to a sustainably lower cost base, transform their supply management practices, adopt innovative operating models, and understand how collaboration technology can be used to achieve strategic objectives. 

\r\n\r\n

What You Can Expect

\r\n\r\n
    \r\n\t
  • We work in a collegial way. As a Business Analyst, you will receive full and ready access to our firm’s best talent to help you quickly achieve your full potential.
  • \r\n\t
  • We value collaboration. You will work alongside team members who will help you grow as you help our clients solve their most important issues.
  • \r\n\t
  • We promise immediate impact and growing advantage. That promise holds true for both you and our clients. You will be able to make an impact and develop your potential from day one within a professional environment and culture that actively fosters the following:
  • \r\n
\r\n\r\n

Personal development. At Kearney, we encourage you to be yourself, and we give you the freedom to contribute creatively while you also pursue your passions. The rich, diverse backgrounds of our consultants have a direct impact on what our teams accomplish every day—a dynamic that has defined our culture for over 90 years. Together, we work on stimulating projects that produce powerful, transformative results for clients, both now and in the long term.

\r\n\r\n

Entrepreneurial approach. The Kearney Business Analyst role is an outstanding introduction to the discipline of management consulting. No two client engagements are alike, and we are committed to providing you with a hands-on experience that will have a positive impact on the rest of your career. As a Business Analyst, you will work alongside our clients, rather than working on projects from a distance. Typical responsibilities include engaging with clients through in-depth interviews, model development, complex analyses, and research assignments, while working on client sites across a wide range of industries and locations.

\r\n\r\n

Supportive environment. Training is a crucial component of your introduction to the firm. As a Business Analyst, you will attend training programs where you learn essential concepts and methodologies that are crucial to management consulting. A variety of training opportunities, often led by our own best and brightest consultants from managers to partners, will expand your consulting knowledge and allow you to explore new areas of interest. Our training approach also lets you meet and network with colleagues from across the region for an enriching experience. Because we take a tailored approach to performance management and career advancement, your role grows as rapidly as your performance warrants. You will benefit from our global scale and capability, as well as from the speed and nimbleness of our close-knit teams. Top-performing consultants who have been with the firm for at least two years and who are committed to returning to the firm are eligible for tuition support from the Kearney Scholars’ Program.

\r\n\r\n

What We Seek

\r\n\r\n

There is no standard model for Kearney Business Analysts. We are looking for talented problem-solvers who are ready to integrate as full members of the client team. Business Analysts are expected to contribute ideas, opinions, and new information. For this role, the following qualifications are preferred, but not obligatory. 

\r\n\r\n
    \r\n\t
  • Final year undergraduate and non-MBA degree students from all disciplines;
  • \r\n\t
  • Previous working experience in a corporate environment is desirable;
  • \r\n\t
  • Excellent written and verbal communication skills;
  • \r\n\t
  • Strong critical thinking and analytical capabilities;
  • \r\n\t
  • Enjoys a challenge;
  • \r\n\t
  • Motivated and passionate;
  • \r\n\t
  • Creative thinker;
  • \r\n\t
  • Thrive in a team working environment;
  • \r\n\t
  • A forward-thinking and collaborative approach to problem-solving; and
  • \r\n\t
  • Proficiency in Microsoft Office.
  • \r\n
\r\n\r\n

As a Business Analyst, you are a generalist consultant who will work across all industries and functions. This is the typical path for those looking to begin their careers as a consultant.

\r\n\r\n

Applicants must be either a Permanent Resident or Citizen of Australia or a New Zealand Citizen.

\r\n\r\n

APPLY/PRE-REGISTER NOW

\r\n\r\n

Applicants are asked to submit their CV and academic transcripts (unofficial copies are acceptable) via our website. 

\r\n\r\n

Please specify in your application which office (Sydney or Melbourne) you wish to apply for.  

\r\n\r\n

Recruitment Process 

\r\n\r\n

First-round interviews will commence in early 2025 in either our Sydney or Melbourne office.

\r\n\r\n

Following the First-round, selected candidates will be asked back for formal interviews which are expected to take place in the week following.

\r\n\r\n

Successful candidates will be invited to an offeree event in either our Sydney or Melbourne offices.

\r\n\r\n

**Kindly note that this recruitment round is for our 2026 intake.**

\r\n\r\n

Equal Employment Opportunity and Non-discrimination

\r\n\r\n

Kearney has long recognized the value that diversity brings to our business and the clients we serve. Our goal is to create a climate of opportunity, innovation, and success within Kearney that capitalizes on the professional and personal diversity of our workforce. For these reasons, we recruit, hire, train, promote, develop, and provide other conditions of employment without regard to a person’s race, color, religion, sex, age, national origin, sexual orientation, gender identity or expression, veteran status, marital status, disability, or genetic information with applicable laws. This includes providing reasonable accommodation for disabilities, or religious and practices.

", - "company": { - "name": "Kearney", - "website": "https://au.prosple.com/graduate-employers/kearney", - "logo": "https://connect-assets.prosple.com/cdn/ff/S8VwgkVtVdmRWu6uolU5WIxm1-3gZBTeN8VdfwiL4LM/1691624390/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-%20Kearney%20-480x480-2023.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kearney/jobs-internships/business-analyst-4" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-02T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f3" - }, - "title": "Operations Leadership - Early Careers Program", - "description": "

About the opportunity 

\r\n\r\n

The program is designed to accelerate the development of those who are passionate about retail management and leadership, business development and creating customers for life. If you'd like to acquire the skills to run a retail branch as if it was your own - this role is for you. 

\r\n\r\n

This program will start mid-year 2025.

\r\n\r\n

Throughout the 18-month program, you will enjoy: 

\r\n\r\n
    \r\n\t
  • Permanent employment from day 1 with access to unlimited career opportunities in an organisation that promotes and develops our talent from within
  • \r\n\t
  • A comprehensive, blended learning experience to expedite your development including an initial 5-day induction followed by immersive group learning experiences, as well as digital learning tools, on-the-job training, coaching and mentoring support
  • \r\n\t
  • An end-to-end structured development journey covering all aspects of running your own branch, equipping you to succeed as an Assistant Branch Manager once you've completed the program
  • \r\n\t
  • Rotations around select specialty business units
  • \r\n\t
  • Providing advice on products and services in areas as diverse as plumbing, the provision of sustainable clean water and energy efficiency, heating, ventilation, refrigeration, air-conditioning and climate control, sanitation, bathroom, kitchen, irrigation, pools, civil, design and building products.
  • \r\n
\r\n\r\n

About You

\r\n\r\n

At Reece, attitude is key. We aim to improve the lives of our customers and our people by striving for greatness every day. We don't expect you to have industry experience - although retail or customer service experience is advantageous.

\r\n\r\n

We'd like to hear from you if you have the following: 

\r\n\r\n
    \r\n\t
  • A growth mindset - you love learning and embrace opportunities to grow and develop, continually improving your skills and acquiring new knowledge
  • \r\n\t
  • Strong written and oral communication skills
  • \r\n\t
  • Demonstrated ability to utilise emotional intelligence to establish and build strong relationships
  • \r\n\t
  • The ability to prioritise many competing tasks and organise work so that it is completed efficiently while always keeping the customer first
  • \r\n\t
  • Proven ability to identify and solve problems, acting decisively and show good judgement
  • \r\n\t
  • Minimum Certificate IV qualification or higher
  • \r\n
\r\n\r\n

About Reece

\r\n\r\n

Reece is an Australian icon - we've been around for 100 years. We're a big business that works hard to retain the little things that made us great when we were small. We live by our values - we also hire by them and promote by them. We take our work seriously but not ourselves. 

\r\n\r\n

Much more than plumbing. 

\r\n\r\n

You might know us as Australia's largest supplier of plumbing and bathroom products but that's just the start. We're a major public company with over 9,000 people, 800 branches globally, 10 business lines across Australia and New Zealand.

\r\n\r\n

We are heavily focused on logistics, technology and marketing to drive the business forward, we even have a creative agency, innovation centre, and insight hub. This broad skill base helps us solve customer problems in unique ways. We're growing both nationally and internationally and that's where you come in. 

\r\n\r\n

Our Perks  

\r\n\r\n

In return, you'll be fairly compensated, provided a uniform allowance, and have access to fuel, gym and other awesome product discounts. Plus, you'll have the opportunity to reach your potential and foster a long-lasting career

\r\n\r\n

Apply Now

\r\n\r\n

If you're excited by the idea of working with great people in a thriving business, then Reece may be for you. 

", - "company": { - "name": "Reece", - "website": "https://au.prosple.com/graduate-employers/reece", - "logo": "https://connect-assets.prosple.com/cdn/ff/ufIHRBpnW48tl5HTXrIhez01tSvoBELZFvfoC7wYomE/1710818378/public/styles/scale_and_crop_center_80x80/public/2024-03/1710818374280_Reecelogo400.png" - }, - "application_url": "https://reece.wd3.myworkdayjobs.com/en-US/ReeceCareers/details/XMLNAME-2024-Operations-Leadership---Early-Careers-Program-WA--SA---NT_R-00022186-1?q=2024", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/reece/jobs-internships/operations-leadership-early-careers-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T15:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f4" - }, - "title": "Summer Cyber Security Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025 – 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a passionate cyber security enthusiast ready to fortify your skills with a global leader in defence, security, and aerospace? BAE Systems Australia is excited to extend a unique opportunity for an aspiring cyber security professional to join us in NSW (Sydney) as a Cyber Security Intern. Immerse yourself in cutting-edge projects, collaborate with industry experts, and be part of a team that stands on the frontline of digital defence!

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855857&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-cyber-security-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f5" - }, - "title": "Project Officer (Traineeship)", - "description": "
\r\n\r\n\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\r\n\t\r\n
Position Details Reference: VAN 076-2024/2025 
Title Project Officer (Traineeship) 
Location Canberra, ACT 
Commencement Dates The program commences early 2026 
Classification \r\n\t\t\t

AE2 (APS 2 equivalent) – upon commencement  

\r\n\r\n\t\t\t

AE3 (APS3 equivalent) – after 12 months 

\r\n\r\n\t\t\t

AE4 (APS 4 equivalent) – upon successful program completion of the 2-year program. 

\r\n\t\t\t
Salary Range \r\n\t\t\t

$68,841 – $76,257 (including service allowance) plus 15.4% superannuation – 1st year. 

\r\n\r\n\t\t\t

$78,276 – $85,529 (including service allowance) plus 15.4% superannuation – 2nd year. 

\r\n\r\n\t\t\t

$88,512 – $94,964 (including service allowance) plus 15.4% superannuation upon completion of the 24-month program. 

\r\n\t\t\t
Closing date and time Monday 7 April 2025 at 5:00 pm AEDT 
\r\n
\r\n\r\n

 

\r\n\r\n

The Organisation 

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO’s people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient. 

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value. Find out more about ASIOs commitment to diversity and inclusion on our website. 

\r\n\r\n

The opportunity 

\r\n\r\n

Are you seeking a career at an intelligence agency where you can contribute and make a difference to the security of Australia? Do you have an interest in a career in Project Management?  

\r\n\r\n

ASIO is offering an exciting opportunity to join our Project Officer – Traineeship Program, commencing early 2026. As a trainee, you will be supported to complete a Certificate IV in Project Management Practice as well as receive on-the-job mentoring and professional development opportunities.  

\r\n\r\n

The program will showcase the breadth of work that ASIO undertakes and set you on a pathway for a career with purpose. 

\r\n\r\n

Trainees commence at the ASIO Employee Level 2 (APS2 equivalent), progressing to ASIO Employee Level 3 (APS3 equivalent), after the first 12 months and promoted to ASIO Employee Level 4 (APS4 equivalent), on successful completion of the program.  

\r\n\r\n

During the 24-month program, you will: 

\r\n\r\n
    \r\n\t
  • Complete multiple work placements in different parts of the Organisation, to build your networks across various business areas and learn new skills’; and 
  • \r\n\t
  • Be supported throughout your studies by a dedicated mentor and have access to a range of organisational support mechanisms. 
  • \r\n\t
  • Additionally, you will learn how to support project teams by:   
  • \r\n\t
  • Contributing to planning and delivery of critical projects; 
  • \r\n\t
  • Contributing to various projects at all stages of the project lifecycle, including; inception, planning, delivery and closure; 
  • \r\n\t
  • Communicating effectively in a fast-paced and exciting environment; and 
  • \r\n\t
  • Competently using numerous ASIO information systems to deliver the required organisational outcomes. 
  • \r\n
\r\n\r\n

Role responsibilities  

\r\n\r\n

As a Project Officer Trainee, you will:  

\r\n\r\n
    \r\n\t
  • Assist ASIO’s Project Managers to deliver state-of-the-art technology projects; 
  • \r\n\t
  • Assist ASIO’s Project Managers in providing up-to-date advice to stakeholders, users and ASIO executives; 
  • \r\n\t
  • Assist in identifying and documenting stakeholder needs and requirements, and provide support in the development of capability requirements; 
  • \r\n\t
  • Contribute to project risk management activities to enable project success; 
  • \r\n\t
  • Assist ASIO’s Project Managers in the tracking of project finances, including preparing documentation, and seeking approval to spend Commonwealth funds; 
  • \r\n\t
  • Utilise ICT systems to create, organise, assess, store and share critical project and technology information; 
  • \r\n\t
  • Assist with monitoring document security and assess risks to information security; 
  • \r\n\t
  • Assist with the planning of project activities and establish task plans; and 
  • \r\n\t
  • Build effective relationships with teams across diverse work domains such as IT, security, operations, finance, HR and facilities management. 
  • \r\n
\r\n\r\n

What you will bring 

\r\n\r\n

We invite applications from people with the following attributes: 

\r\n\r\n
    \r\n\t
  • An interest in developing new skills and starting a career in project management. 
  • \r\n\t
  • The ability to learn and adhere to ASIO’s Security practices. 
  • \r\n\t
  • Excellent communication skills. 
  • \r\n\t
  • Willingness to be open to new ways of thinking and working. 
  • \r\n\t
  • Excellent organisation skills. 
  • \r\n\t
  • Enthusiasm and willingness to work collaboratively to contribute to team goals. 
  • \r\n\t
  • Strong attention to detail. 
  • \r\n
\r\n\r\n

What we offer you  

\r\n\r\n

ASIO provides a number of benefits to its staff including: 

\r\n\r\n
    \r\n\t
  • Significant training and development opportunities. 
  • \r\n\t
  • A competitive salary, including a 7.5% allowance for maintaining a TOP SECRET-Privileged Access security clearance. 
  • \r\n\t
  • Employer superannuation contributions of 15.4%. 
  • \r\n\t
  • A variety of leave options, in addition to the standard 4 weeks annual leave to ensure your work-life balance. 
  • \r\n\t
  • Flexible working arrangements to assist you to maintain your work-life balance. Please note:  Due to our unique working environment, work from home options are generally not available. During the traineeship, part-time working arrangements may be considered on a case-by-case basis and may require extension of the program in order to be accommodated. 
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education. 
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks. 
  • \r\n\t
  • Tailored mentoring opportunities. 
  • \r\n\t
  • Access to an Employee Assistance Program (EAP). 
  • \r\n
\r\n\r\n

Eligibility  

\r\n\r\n

To be eligible for the role, you must be:  

\r\n\r\n
    \r\n\t
  • An Australian citizen. 
  • \r\n\t
  • Assessed as suitable to hold and maintain a TOP SECRET-Privileged Access security clearance. 
  • \r\n
\r\n\r\n

Reasonable adjustments 

\r\n\r\n

ASIO is committed to fostering a diverse and inclusive environment for candidates to participate within all stages of the selection process. These opportunities may include reasonable adjustment to assessment methodologies to enable full participation. Please let us know if you require any additional assistance or reasonable adjustments during any stage of the recruitment process in order to fully participate in the recruitment process or the workplace.  

\r\n\r\n

Location 

\r\n\r\n

The Project Officer – Traineeship is Canberra-based and applicants must be willing to relocate. Relocation assistance is provided to successful candidates. 

\r\n\r\n

How to apply 

\r\n\r\n

Click on ‘Apply online’ to commence your application. Your application must be complete and include the following: 

\r\n\r\n
    \r\n\t
  • A written pitch, addressing the following questions (no more than 500 words): 
  • \r\n
\r\n\r\n
    \r\n\t
  1. Why do you consider ASIO’s Project Officer – Traineeship to be a good career opportunity for you? In your response describe: 
  2. \r\n\t
  3. Why are you applying? 
  4. \r\n\t
  5. What are you looking for out of the traineeship? 
  6. \r\n
\r\n\r\n
    \r\n\t
  • What do you think you could bring to the Organisation?  
  • \r\n\t
  • An up-to-date CV, no more than two pages in length. 
  • \r\n\t
  • Details of 2 referees, which must include a current or previous manager. 
  • \r\n
\r\n\r\n

*Your written pitch should reference ASIO’s People Capability Framework and with consideration of the role description and classification level you are applying for. 

\r\n\r\n

A merit pool may be created to fill future vacancies which have the same or similar requirements to this position. This merit pool will be valid for up to 18 months. 

\r\n\r\n

Closing date and time 

\r\n\r\n

Monday 7 April 2025 at 5:00 pm AEDT 

\r\n\r\n

No extensions will be granted and late applications will not be accepted. 

\r\n\r\n

The Recruitment Selection Process – what to expect 

\r\n\r\n

We thank all applicants for their interest in applying for the Project Officer - Traineeship Program. Please be advised that our selection process is rigorous and extensive.  

\r\n\r\n

All employment decisions and selection processes at ASIO are based on merit principles and candidates must be prepared to undergo various selection stages. The stages themselves may include; application submission, eligibility checks, online testing, skills-based assessment and panel discussion. 

\r\n\r\n

ASIO holds all employment applications in the strictest of confidence. It is essential that you do the same. Please do not discuss your application with others as doing so may adversely affect your potential employment. 

\r\n\r\n

We ask all applicants for their patience throughout the process. Once complete, we will notify unsuccessful candidates but will not provide feedback on any aspect of the selection process. 

\r\n\r\n

The Recruitment Selection Process – Timeframes 

\r\n\r\n

As we are recruiting for the early 2026 intake, candidates can expect the following approximate timeframes for the recruitment selection process: 

\r\n\r\n
    \r\n\t
  • Program advertised – from December 2024 to April 2025. 
  • \r\n\t
  • Assessment Centers – May to June 2025. 
  • \r\n\t
  • Notification to candidates – June to August 2025. 
  • \r\n\t
  • Program commences – early 2026. 
  • \r\n
\r\n\r\n

Employment conditions 

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available. 

\r\n\r\n

More information 

\r\n\r\n

For more information about ASIO, please visit our website.

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.careers.asio.gov.au/public/jncustomsearch.searchResults?in_organid=12852", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/project-officer-traineeship" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T07:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f6" - }, - "title": "Forensic Vacationer Program", - "description": "

Think beyond.

\r\n\r\n

Join KordaMentha where you can make a real difference from day one.

\r\n\r\n

Each year, we run a vacation program during the summer university break. We recruit a select number of high-performing students in their second to last year of their degree for either a four- or eight-week work placement.

\r\n\r\n

Forget the notion of an observational rotation. At KordaMentha, you will become part of a unique, creative and entrepreneurial team, gaining practical experience as we work together to solve our clients’ most complex commercial problems. You will learn how we move beyond a standard approach, asking the ‘what if…?’ and ‘why not…?’ questions required to find bold, new ways to help our clients grow, protect and recover value.

\r\n\r\n

Whatever your passion, explore your career path with KordaMentha.

\r\n\r\n

Your opportunity

\r\n\r\n

Working alongside our group of forensic investigators, forensic accountants and forensic technology specialists, this is your opportunity to learn how we uncover, analyse and clarify facts at the centre of some of the highest-profile disputes, investigations and other sensitive matters across the Asia-Pacific region.

\r\n\r\n

We have opportunities across our various offices, so please indicate (from the listed options) which city you are interested in.

\r\n\r\n

What you’ll be doing

\r\n\r\n

As a forensic vacationer, you need to be able to take complex information and present it in a simple way. This normally involves reviewing and analysing evidence, both factual and financial, and our findings may even be used in Court. While no two days will be the same, you can expect to work on a wide variety of complex projects, including forensic accounting, data analytics, and investigations.

\r\n\r\n

Some of the work might include the following:

\r\n\r\n
    \r\n\t
  • review and analyse financial information to really understand the data, and to perhaps determine if any anomalies exist
  • \r\n\t
  • draft reports of key findings for clients, often for use as an independent expert in court.
  • \r\n\t
  • build simple financial models
  • \r\n\t
  • scrutinise information using professional scepticism
  • \r\n\t
  • attend client and internal meetings
  • \r\n\t
  • attend interviews of witnesses/suspects with senior staff and take notes
  • \r\n\t
  • contribute to our popular series of publications and blogs
  • \r\n\t
  • attend events and other marketing activities with lawyers and other clients
  • \r\n
\r\n\r\n

About you

\r\n\r\n

You will be a student in your penultimate year of study and will have:

\r\n\r\n
    \r\n\t
  • strong academic results in current degree, preferably in accounting, commerce, science, technology, engineering or mathematics
  • \r\n\t
  • a razor-sharp eye for detail and advanced critical thinking skills
  • \r\n\t
  • excellent analytical, technical and communication skills with an ability to think outside-the-box
  • \r\n\t
  • strong interpersonal qualities
  • \r\n\t
  • a focus on delivering excellent client service
  • \r\n\t
  • strong academic results 
  • \r\n\t
  • eligibility to live and work in Australia (Australian citizens and permanent residents only)
  • \r\n
", - "company": { - "name": "KordaMentha", - "website": "https://au.prosple.com/graduate-employers/kordamentha", - "logo": "https://connect-assets.prosple.com/cdn/ff/NqHn3pwJvPQzACHAVFvUHgW1JKvILKMUhjfbbq7i1lI/1644467411/public/styles/scale_and_crop_center_80x80/public/2022-02/1644467242897_KM_Grad%20Australia%20Logo_240x240px.jpg" - }, - "application_url": "https://fsr.cvmail.com.au/kordamentha/main.cfm?srxksl=1", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kordamentha/jobs-internships/forensic-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-02T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f7" - }, - "title": "University Intern - IT", - "description": "

Your role

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • The IT Intern at The Tasman Hotel will support daily IT operations and system integration.
  • \r\n\t
  • The role involves monitoring operational requirements, researching strategies, and developing cost-effective technology solutions.
  • \r\n\t
  • The intern will work closely with the IT department to ensure smooth hotel operations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Candidates must be current college or university students.
  • \r\n\t
  • The internship should be a component of their studies, requiring a confirmation letter from their school.
  • \r\n\t
  • A passion for IT and hospitality is essential.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n
    \r\n\t
  • This is an unpaid internship.
  • \r\n\t
  • Interns will gain valuable experience in a globally recognized hotel brand.
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n
    \r\n\t
  • Interns will learn about hotel operations and IT systems.  
  • \r\n\t
  • The program offers hands-on experience and immersion in Marriott's culture and business.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n
    \r\n\t
  • Post-internship, candidates will be better prepared for opportunities in hotel management and IT.
  • \r\n\t
  • The experience can serve as a stepping stone to a career in the travel industry.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n

Ensure to provide a letter from your educational institution confirming the internship as part of your studies.

", - "company": { - "name": "Marriott International Australia", - "website": "https://au.prosple.com/graduate-employers/marriott-international-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Zb-uqjReliBmyMyEhgmtf0vL3yYdMq6Z15fm8j2bp_0/1650926616/public/styles/scale_and_crop_center_80x80/public/2022-04/1519856409539.jpg" - }, - "application_url": "https://careers.marriott.com/university-intern-it/job/69D91547FC3BEB48E35EF3D5792D6AC3", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/marriott-international-australia/jobs-internships/university-intern-it" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "TAS"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f8" - }, - "title": "Information Security Pathways - Graduate Program", - "description": "

Our Graduate Program is designed for talented, passionate graduates who are looking to join an agile world leader and are ready to use the power of technology to deliver mission critical IT services that move the world. Our customers entrust us to deliver what matters most.

\r\n\r\n

We believe every graduate is unique and our aim is to help you build a solid foundation in your professional career, apply your learnings, and discover new possibilities.

\r\n\r\n

If you are passionate about making a difference for our customers and society, this program is for you! Whether you are a tech enthusiast or someone who just wants to make an impact on people’s lives – join the DXC journey in shaping the future of tomorrow.  

\r\n\r\n

Our program operates across a number of locations in Australia including Sydney, Melbourne, Brisbane, Adelaide, Canberra and Perth.

\r\n\r\n

We offer a variety of graduate opportunities across a number of role types that are designed to match your tertiary background, skillsets and career aspirations. We are determined to help you find what you truly love, learn things you never thought you would, and develop skills beyond “just I.T” to excel in your role and all aspects of our business.

\r\n\r\n

Graduate Pathways - Information Security:

\r\n\r\n
    \r\n\t
  • Security Analyst - As a Security Analyst, you will be the first point of contact for key MSS customers therefore a proactive and professional attitude are essential for MSS to successfully deliver.
  • \r\n\t
  • Security Engineer - As a Security Engineer you will be a point of contact for key MSS customers or stakeholders, therefore a proactive and professional attitude are key to the role.
  • \r\n\t
  • Graduate AI and Automation Sec DevOps Engineer - Development and Deployment, AI and Automation Systems, Security and Compliance, Monitoring and Troubleshooting, Collaboration and Documentation
  • \r\n\t
  • Technical Consulting - Collaborate with our clients to improve their business through DXC’s offerings and expertise
  • \r\n\t
  • Security Engineer – Network Security - For this role we are seeking candidates who are passionate about security, great at communicating and have experience with optimising network security technologies to deliver high standards within a service-oriented environment.
  • \r\n\t
  • Project Management - Plan, manage, oversee, and lead customer projects to completion.
  • \r\n\t
  • Security-Pre-Sales Consultant - Lay the groundwork for the DXC Sales team to be successful.
  • \r\n\t
  • Security Compliance Officer - The Security Compliance Officer (SCO) is responsible for the tracking and reporting of security metrics for DXC-managed services delivered to an account.
  • \r\n\t
  • Security Delivery Lead - Develop a strategic relationship with the client based on trust, delivery, and execution in order to drive service excellence and delivery lead growth.
  • \r\n
\r\n\r\n

To be eligible for our Graduate Program, when submitting your application, you should be:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident
  • \r\n\t
  • Have completed all course requirements for your degree no earlier than November 2023, and must be expecting to complete all course requirements for your degree no later than February 2026
  • \r\n
\r\n\r\n

Note: Previous exposure to the Technology or Business sector (i.e. work placements or internships) or ex-Defence personnel (post serving time in Military) would be an advantage for some roles.

\r\n\r\n

DXC is an equal opportunity employer. We welcome the many dimensions of diversity. To increase diversity in the technology industry, we encourage applications from Aboriginal and/or Torres Strait Islander people and neurodiverse people. All qualified candidates will receive consideration for employment without regard to disability, protected veteran status, race, colour, religious creed, national origin, citizenship, marital status, sex, sexual orientation/gender identity, age or genetic information. Accommodation of special needs for qualified candidates may be considered within the framework of the DXC Accommodation Policy. In addition, DXC Technology is committed to working with and providing reasonable accommodation to qualified individuals with physical and mental disabilities. 

\r\n\r\n

If you wish to find out more, please visit www.dxc.technology/au/gradprogram

\r\n\r\n

DXC acknowledges the Traditional Owners of country throughout Australia, and their continuing connection to land, water and community. We pay our respects to them and their cultures, and to their Elders, past, present and emerging. 

", - "company": { - "name": "DXC Technology", - "website": "https://au.prosple.com/graduate-employers/dxc-technology", - "logo": "https://connect-assets.prosple.com/cdn/ff/Pgy3E3kN6YXC6_S3L_do1cfn2XDySpE4FpfVn2CYCsg/1623321492/public/styles/scale_and_crop_center_80x80/public/2021-06/logo-dxc-technology-ph-480x480-2021.png" - }, - "application_url": "https://dxc.com/au/en/careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dxc-technology/jobs-internships/information-security-pathways-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "NT", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4f9" - }, - "title": "Graduate Cyber Analyst", - "description": "
    \r\n\t
  • As a graduate, you are employed on a permanent basis working on real projects as an embedded team member and will spend the first 12 months on the graduate program
  • \r\n\t
  • You will be allocated a ‘Leidos Purple Buddy’ to help get you settled in
  • \r\n\t
  • You will attend a graduate-specific induction along with monthly graduate catch-ups as an opportunity to build connections internally and to learn more about the business
  • \r\n\t
  • You will be offered a formal mentoring program to help grow your career
  • \r\n\t
  • and will undertake a number of professional development and training courses to get you upskilled.
  • \r\n
\r\n\r\n

Leidos Benefits

\r\n\r\n
    \r\n\t
  • Access to over 100,000 online training and development courses through our technical training portal Percipio
  • \r\n\t
  • Support of advocacy groups including; The Young Professionals, Women and Allies Network, Allies & Action for Accessibility and Abilities and the Defence & Emergency Services
  • \r\n\t
  • Entitlement to one day a year of volunteer leave to support a cause you’re passionate about
  • \r\n\t
  • Leidos is a family-friendly certified organisation and we provide flexible work arrangements that are outcomes focused and may consist of; flexible work hours, Life Days (formally RDOs), and Switch Days where you can switch a public holiday for an alternative day that means more to you, and a career break of between 3 months and 2 years to take time out from Leidos to explore other interests
  • \r\n\t
  • Access to Reward Gateway to give upfront discounts or cashback rewards with over 400 Australian and International retailers
  • \r\n
\r\n\r\n

What makes Leidos stand out?

\r\n\r\n

Leidos is a Fortune 500® technology, engineering, and science solutions and services leader working to solve the world's toughest challenges in the defence, intelligence, civil and health markets. Leidos' 46,000 employees support vital missions for government and commercial customers. 

\r\n\r\n

Leidos Australia has been a trusted partner to the Australian Government for over 25 years, having delivered some of the most complex software and systems integration projects in Australia. Leidos Australia’s government and defence customers enjoy the advantage of a 2000+ person local business, backed by Leidos’ global expertise, experience and capabilities. With a focus on sovereign development and support, the company invests locally in R&D both directly and in combination with local Small and Medium Enterprises (SME).

\r\n\r\n

Helping to safeguard our fellow Australians is important and fascinating work. So, whether delivering important geospatial and imagery systems to the Department of Defence, supporting the IT infrastructure for the ATO, delivering major IT transformation projects to Federal Government, or conducting airborne special missions on behalf of the Australian Government, we work closely together with our customers and colleagues to deliver smart solutions that they want to use. Innovative, technically advanced and highly practical. 

\r\n\r\n

Job Description

\r\n\r\n

Your New Role

\r\n\r\n

An average week for a Graduate Cyber Analyst could include a wide range of activities including:

\r\n\r\n
    \r\n\t
  • Working with a variety of stakeholders to develop an understanding of the cyber operating environment for Federal Government, Defence and National Security Agencies;
  • \r\n\t
  • Undertaking analysis on client networks and endpoints for security events/alerts for active threats, intrusions and/or compromises;
  • \r\n\t
  • Performing security operations work involving the Security Information and Event Management tool, network intrusion systems and Host-based Intrusion Prevention tools (AV, HIPS, Application Whitelisting);
  • \r\n\t
  • Monitoring and assessing emerging threats and vulnerabilities to the environment and ensuring those requiring action are addressed;
  • \r\n\t
  • Security Incident Management, advice and education and maintaining the currency and health of the deployed security tools;
  • \r\n\t
  • Providing technical administration support for security suite of software and hardware;
  • \r\n\t
  • Contractual and stakeholder reporting;
  • \r\n\t
  • Reviewing and documenting and improving processes to contribute to the overall security of the environment.
  • \r\n
\r\n\r\n

Graduates will be supported to develop their skills and knowledge specific to this role, to ensure they are able to contribute and reach their highest potential. As a Leidos graduate, you will be working on interesting and challenging projects and will take part in a range of training and development opportunities.

\r\n\r\n

Qualifications

\r\n\r\n

About You and What You'll Bring

\r\n\r\n

This role is ideal for someone who is completing or has recently completed a Bachelor’s Degree from an accredited institution in a related discipline:

\r\n\r\n
    \r\n\t
  • Bachelor of Computer Science
  • \r\n\t
  • Bachelor of Software Engineering
  • \r\n\t
  • Bachelor of Cyber Security
  • \r\n\t
  • Bachelor of Cyber Operations
  • \r\n\t
  • Bachelor of Information Technology
  • \r\n
\r\n\r\n

Along with your education and any practical experience, Leidos values individuals who use their initiative and seek to understand the business and develop relationships based on respect.

\r\n\r\n

Additional Information

\r\n\r\n

Successful candidates must be Australian Citizens at the time of application to be eligible to obtain and maintain an Australian Government Security Clearance.

\r\n\r\n

At Leidos, we proudly embrace diversity and support our people at every stage of their Leidos journey in terms of inclusion, accessibility and flexibility. We have a strong track record of internal promotion and career transitions. And at Leidos you’ll enjoy flexible work practices, discounted health insurance, novated leasing, 12 weeks of paid parental leave as a primary carer and more. We look forward to welcoming you

", - "company": { - "name": "Leidos Australia", - "website": "https://au.prosple.com/graduate-employers/leidos-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-0vAdWErmCGu61yrc1t0nOh-pefl1iyRKR1TQAeTMhg/1587207386/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-leidos-480x480-2020.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/leidos-australia/jobs-internships/graduate-cyber-analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4fa" - }, - "title": "Software Engineering Graduate Program", - "description": "

At BAE Systems Australia 

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

At BAE Systems Australia, we're not just offering a job; we're inviting you to be a part of something remarkable. 
\r\n
\r\nOur dynamic workplace is at the forefront of ground-breaking technology, delivering projects of global significance that keep Australia safe. 

\r\n\r\n

We take pride in fostering an inclusive and diverse culture that values the unique talents each graduate brings.

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions. 

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be due to complete your graduate studies in 2025 (or have already completed) a university degree qualification in an appropriate discipline. 

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity: 

\r\n\r\n

Embark on an exhilarating journey with our Software Engineering graduate role!

\r\n\r\n

This opportunity designed for those eager to shape the future through cutting-edge technology. As a Software Engineering graduate, you'll be at the forefront of innovation, crafting solutions that redefine industries and drive positive change.  

\r\n\r\n

If you're ready to dive into the dynamic world of software development, where every day presents new possibilities and opportunities to make a lasting impact, the Software Engineering graduate role is your gateway to an exciting and fulfilling career.

\r\n\r\n

This position is available in two options: Stream 1 (non-rotational) or Stream 2 (rotational), based in Melbourne (VIC), Edinburgh Parks (SA) &, Garden Island (NSW).  

\r\n\r\n

To learn more about our Graduate program, including details about each stream and the application process, kindly visit Graduate & Early Careers | BAE Systems | Australia

\r\n\r\n

What You'll Do

\r\n\r\n

As a Software Engineering Graduate at BAE Systems, you will:

\r\n\r\n
    \r\n\t
  • Design, implement, integrate, test and install software for complex mission and safety critical systems in accordance with appropriate standards
  • \r\n\t
  • Assist in the development of project development infrastructure such as analytical tools and performance metrics
  • \r\n\t
  • Participate in technical reviews and provide regular status information to line management
  • \r\n\t
  • Document design decisions and develop integration and verification procedures to demonstrate compliance to requirements and incorporation into parent mission systems
  • \r\n\t
  • Comply with the requirements of the BAE Systems Quality Systems as they relate to your areas of activities
  • \r\n
\r\n\r\n

About Us:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225883708&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/software-engineering-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-13T14:30:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "SA", "VIC"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4fb" - }, - "title": "2026 graduate program - Technology stream", - "description": "Join our rapidly growing 85+ office firm, listed 9 consecutive times in Fortune's 100 Best Companies to Work For. Stay connected with us and we will notify you once our applications open!", - "company": { - "name": "Protiviti", - "website": "https://au.gradconnection.com/employers/protiviti", - "logo": "https://media.cdn.gradconnection.com/uploads/89552405-31c6-4ed4-bf98-423e0a432328-Protiviti-logo_SWnnQwY.png" - }, - "application_url": "https://learnmore.protiviti.com/AusGradrecruitmentEOI2023#xd_co_f=MzMyM2NlM2ItZDgyZS00OWEyLTlhOGYtNWQyMThjMmVhODc2~", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/protiviti/jobs/protiviti-2026-graduate-program-technology-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T13:59:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Banking and Finance", - "Business and Commerce", - "Compliance", - "Computer Science", - "Consulting", - "Cyber Security", - "Economics", - "Engineering - Software", - "Information Systems", - "Information Technology", - "Management", - "Telecommunications" - ], - "working_rights": ["AUS_CITIZEN", "WORK_VISA", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4fc" - }, - "title": "Trade Support Intern #GeneralInternship", - "description": "At Singtel, our mission is to Empower Every Generation. We are dedicated to fostering an equitable and forward-thinking work environment where our employees experience a strong sense of Belonging, to make meaningful Impact and Grow both personally and professionally.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Trade-Support-Intern-GeneralInternship-Sing/1050894566/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-trade-support-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4fd" - }, - "title": "Data Science and Analytics Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters

\r\n\r\n

You’ll be at the forefront of innovation at Australia’s largest Bank. You’ll use data to build and enhance quantitative and predictive models to support insights, or use our leading technology to extract incredible data and influence direction of the business.

\r\n\r\n

Over the course of the program, you’ll enhance your technical capability through the use of analytical tools such as R, SQL, SAS and Teradata, alongside vast datasets to develop and deliver actionable insights.

\r\n\r\n

See yourself in our team

\r\n\r\n

We have two programs within the Data & Analytics career pathway. Being part of the Data Science or Analytics Program means you’ll:

\r\n\r\n
    \r\n\t
  • Gain access to world-class technical and development resources to help you expand your skills; 
  • \r\n\t
  • Join a huge network of Technology Early Career Talent, supported by managers focused on your career growth; 
  • \r\n\t
  • Be finding the answers to some of Australia’s biggest customer challenges using rich data at your fingertips.  
  • \r\n
\r\n\r\n

Retail Banking Services – Analytics – Sydney 

\r\n\r\n

You’ll get exposure to everything from Insights Analytics, Exception Reporting & Controls and Reporting & Visualisation to Customer Communications. 

\r\n\r\n

Looking ahead, once you complete your Summer Intern Program and commence as a Graduate, you could continue your CommBank career in one of our diverse analytical functions. Roles could include Data Analyst, Modelling Analyst, Risk Analyst, Associate Data Scientist or Pricing Analyst.

\r\n\r\n

Technology – Data Science - Sydney, Melbourne & Perth 

\r\n\r\n

You can gain exposure in Decision and Behavioural Science, Quantitative & Predictive Modelling, Artificial Intelligence (AI) & machine learning (ML), Data Engineering, and more. 

\r\n\r\n

We’re the frontline in the AI revolution. You’ll lead the way and support in driving innovative, data-led solutions and approaches.

\r\n\r\n

After the program you can land a role at CommBank as a Data Scientist, Machine Learning or Data Engineer. 

\r\n\r\n

Check out commbank.com.au/graduate to find out more about our pathways. 

\r\n\r\n

We’re interested in hearing from you if:

\r\n\r\n
    \r\n\t
  • You're passionate about data and keen to learn new tech stacks, languages and frameworks;
  • \r\n\t
  • You’re a proactive problem solver with a strategic mindset who loves simplifying processes; 
  • \r\n\t
  • You listen to people’s needs and design solutions to create better experiences protecting our customers.
  • \r\n
\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. We encourage you to apply for our program no matter what your degree. Your skills may align to one of our roles. 

\r\n\r\n

If this sounds like you, and you are - 

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining. 

\r\n\r\n

Pre-register for our Summer Intern Program!

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/Private_Ad/job/Sydney-CBD-Area/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/data-science-and-analytics-summer-intern-program-2" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4fe" - }, - "title": "Graduate Program", - "description": "

Viva Energy Graduate Program, Australia-wide - Expression of Interest

\r\n\r\n

A career with Viva Energy is more than just a job!  It’s an opportunity to be part of something bigger.  The opportunity to join an amazing team committed to supporting our evolving energy needs and helping to build and secure a sustainable energy future for Australia.  Our future plans will support the diversification of our business and a transition to sustainable, lower-carbon energy solutions.  At the heart of our plans is people's power.  People who want to grow and evolve with us.  People with the brightest minds, boundless energy, new perspectives and the passion to take Viva Energy and their careers forward. Someone like you? 

\r\n\r\n

Your Graduate experience 

\r\n\r\n

Our two-year Graduate Program will enable you to deepen and develop your technical and professional competencies through meaningful, challenging and rewarding work.  Our personalised graduate program offers you: 

\r\n\r\n
    \r\n\t
  • Full-time ongoing permanent position
  • \r\n\t
  • Two rotations that will provide you with the opportunity to develop your knowledge, experience and technical competencies
  • \r\n\t
  • Tailored professional development programs including a senior leader mentor program
  • \r\n\t
  • Support from leaders who will coach and guide you through each stage of the program and a buddy to provide you with day-to-day support
  • \r\n
\r\n\r\n

Beyond the Graduate program, we believe in giving you the freedom to grow and create the career that you aspire to.  Our inclusive culture and support from our leaders will enable you to discover new experiences that energise you, and stretch and challenge you to be the best version of yourself.  Because, at Viva Energy, helping people reach their destination is at the heart of what we do best. 

\r\n\r\n

Let’s get to know each other 

\r\n\r\n

The recruitment process is an opportunity for us to get to know each other and assess if you are a good match for us and if we are a good match for you and it only takes 10 minutes! 

\r\n\r\n

Interview and Assessment 

\r\n\r\n

This is an opportunity to meet key business leaders and ask questions that are important to you! It also enables us to assess attributes like how you work with others, prioritise and deliver work, your willingness to learn and try new things and your ability to adapt and grow as our business evolves. 

\r\n\r\n

A little bit more about Viva Energy 

\r\n\r\n

Winning the WGEA Employer of Choice for Gender Equality for the past four years, only highlights that we are driven by our people and continuing our focus on making Viva Energy reflect the ever-changing face of Australia.  We welcome applicants from diverse backgrounds including Aboriginal and Torres Strait Islander people and encourage and support diversity in our traditional and non-traditional roles.  

\r\n\r\n

Eligibility Criteria 

\r\n\r\n
    \r\n\t
  • You will be an Australian or New Zealand citizen or hold a permanent residency at the time of application
  • \r\n\t
  • You will have completed the relevant undergraduate degree (within the past 2 years) before commencing the program
  • \r\n\t
  • You will have completed an undergraduate or post-graduate degree in the relevant disciplines, or similar
  • \r\n
\r\n\r\n

Expression of Interest

\r\n\r\n

Simply complete our Expression of Interest form to provide your contact details and any other relevant information, and we will contact you when our Graduate Program is live.

\r\n\r\n

Good Luck! 

", - "company": { - "name": "Viva Energy Australia", - "website": "https://au.prosple.com/graduate-employers/viva-energy-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/sfeHdDDCgy_jfDjgvOArG3VwEvn7P4I_V-7AkifWkGM/1638417822/public/styles/scale_and_crop_center_80x80/public/2021-07/logo_viva_240x240.jpg" - }, - "application_url": "https://careers.smartrecruiters.com/VivaEnergyAustralia", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/viva-energy-australia/jobs-internships/graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-06T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee4ff" - }, - "title": "Graduate Engineer - Integrity Management (Perth)", - "description": "

Your role

\r\n\r\n

Upon joining the team, the new member will become an active participant in a collaborative, dynamic, and technically skilled group. This presents a remarkable opportunity for individuals eager to delve into Integrity/Asset Management, enhance their professional and technical abilities, acquire hands-on experience, and contribute meaningfully to a supportive team. The ideal candidate will rapidly become involved in providing consulting and engineering solutions, comprehending the challenges faced by key clients, and responding effectively by delivering improved outcomes while maintaining a balance between integrity, safety, performance, and cost.

\r\n\r\n

Responsibilities: 

\r\n\r\n
    \r\n\t
  • Assisting senior engineers with projects: You may be asked to help with research, testing, or other tasks related to ongoing projects
  • \r\n\t
  • Learning Wood processes and procedures: It's important to understand how Wood operates and the specific procedures and protocols you'll be expected to follow
  • \r\n\t
  • Collaborating with cross-functional teams: Engineering projects often involve multiple disciplines and teams, so you may need to work with colleagues from other areas of Wood
  • \r\n\t
  • Debugging and troubleshooting: If a product or system isn't working as intended, you may be called upon to help identify and resolve the problem
  • \r\n\t
  • Preparing reports and presentations: You may need to communicate your findings and progress to your team, manager, or other stakeholders
  • \r\n\t
  • Continuously improving your skills and knowledge: The engineering field is constantly evolving, so it's important to stay up to date with new developments and best practices
  • \r\n\t
  • Evaluating asset information to determine hazards, damage mechanisms, failure modes and risk mitigations
  • \r\n\t
  • Generating risk-based inspection plans, integrity management plans and inspection work instructions 
  • \r\n\t
  • Applying engineering knowledge to the solving of anomaly management issues in conjunction with Wood’s diverse engineering subject matter experts
  • \r\n\t
  • The development, implementation and update of asset integrity management systems
  • \r\n\t
  • Utilising digital tools to capture and manipulate data; identifying trends and equipment health concerns
  • \r\n\t
  • Asset health surveillance activities
  • \r\n\t
  • KPI reporting and performance metric development for system integrity
  • \r\n\t
  • Developing inspection programs and procedures
  • \r\n\t
  • Developing client reports to communicate results and recommendations
  • \r\n\t
  • Assuming ownership of small projects, managing from start to finish following Wood’s Quality Management System
  • \r\n\t
  • Field/site work to support these activities (depending on requirements)
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Qualifications:

\r\n\r\n
    \r\n\t
  • Completed Civil / Structural Engineering degree by the end of 2024 or earlier
  • \r\n\t
  • The company accept applications from Australian citizens, those who hold a Permanent Residency (PR) visa or those who have a valid visa and are able to work lawfully in Australia without restrictions.
  • \r\n
\r\n\r\n

Knowledge, skills and experience:

\r\n\r\n
    \r\n\t
  • Previous experience or appreciation for how work is conducted in operational facilities to maintain safety, reliability and performance would also be advantageous
  • \r\n\t
  • Strong IT skills and ideally have a keen interest in programming and data analysis
  • \r\n
\r\n\r\n

Personal attributes:

\r\n\r\n
    \r\n\t
  • Those with a keen interest in Data Science / Data Analytics and those who have pursued further studies in this field are encouraged to apply
  • \r\n\t
  • Attention to detail: You will be responsible for creating detailed designs and specifications and must pay close attention to detail to ensure the accuracy and safety of the work
  • \r\n\t
  • Teamwork: Most engineering projects require collaboration and teamwork, so strong interpersonal and collaboration skills are essential 
  • \r\n\t
  • Adaptability: Engineering is a constantly evolving field, and as a Graduate engineer you should be able to adapt to new technologies and techniques
  • \r\n\t
  • Problem-solving: Engineering often requires finding creative solutions to complex problems. Good critical thinking, analytical and problem-solving skills are highly valued
  • \r\n\t
  • Communication skills: The ability to communicate technical information in a clear and concise manner is important for a Graduate engineer. This includes the ability to write reports, give presentations, and explain complex technical concepts to non-technical colleagues
  • \r\n\t
  • Continuous Learning: Technologies and methodologies are constantly changing so staying up to date is an important attribute 
  • \r\n\t
  • Creativity: have that innate ability to “think outside the box” 
  • \r\n\t
  • Analytical ability: ability to think analytically to fully define a problem and develop solutions suited to the problem
  • \r\n\t
  • Logical thinking: the ability to understand how a system works, what can go wrong and how to fix it. This requires the ability to think logically and evaluate and understand each element that makes up the system 
  • \r\n\t
  • Leadership: well-developed “human skills” so you can smoothly perform non-technical duties
  • \r\n\t
  • Respect for health and safety protocols: this is more of a requirement than a skill but adherence to policies that aim to eliminate or mitigate risk is a necessity
  • \r\n\t
  • Solid appreciation of the benefits of inclusion and diversity: embracing differences in people how elevates a team 
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Wood is committed to doing all it can to support its employees to achieve by caring for all aspects of life that combine to make up an individual sense of well-being; physical, emotional, financial, social, and environmental health. As an employee of Wood, you can enjoy benefits such as:

\r\n\r\n
    \r\n\t
  1. Competitive salary based on market evaluation
  2. \r\n\t
  3. Employee Assistance Programme (EAP)
  4. \r\n\t
  5. Pensions and Share plans
  6. \r\n\t
  7. Professional membership, registration, certification, license, or subscription.
  8. \r\n
\r\n\r\n

The Perth office is based in the heart of the CBD at Dexus Place - 240 St Georges Terrace, with free 24/7 access to an exclusive on-site gym, terrific end of trip facilities, coffee machines serving on demand and plenty of space to get creative.  In addition, you will have access to remote and flexible working options, purchased annual leave and employee discount programs.  

\r\n\r\n

Training & development

\r\n\r\n

The Developing Professionals Network at Wood offers a platform for employees to connect, learn, and grow, facilitating global networking, knowledge enhancement, and personal development. Led by developing professionals, it aims to foster connectivity, and deepen understanding of Wood's services, industry trends, and individual strengths, ultimately nurturing tomorrow's leaders for mutual and societal benefit. Led by Blair Fraser, the network strives to empower emerging talent and create a supportive community dedicated to personal and professional growth.

\r\n\r\n

To know more, watch this video:

\r\n\r\n

\r\n\r\n

How to apply

\r\n\r\n

To apply for this role and ensure your application is eligible, you must upload a copy of both your CV and academic transcript. 

\r\n\r\n

Source

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • careers.woodplc.com
  • \r\n\t
  • woodplc.com
  • \r\n\t
  • careers.woodplc.com/early-careers
  • \r\n\t
  • careers.woodplc.com/inclusion-and-diversity/networks/developing-professionals-network-dpn
  • \r\n
", - "company": { - "name": "Wood.", - "website": "https://au.prosple.com/graduate-employers/wood", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ao08wd7bERC4aWvtg3jztX7ECiuanfSeGa3JyK4IvsA/1626755208/public/styles/scale_and_crop_center_80x80/public/2021-07/logo_wood_480x480.jpg" - }, - "application_url": "https://ehif.fa.em2.oraclecloud.com/hcmUI/CandidateExperience/en/sites/CX_1/job/12026/?lastSelectedFacet=AttributeChar4&location=Australia&locationId=300000000273685&locationLevel=country&mode=location&selectedFlexFieldsFacets=%2522AttributeChar4%257CGraduates%2522", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/wood/jobs-internships/graduate-engineer-integrity-management-perth" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee500" - }, - "title": "Graduate Development Program", - "description": "

If you have a strong vision for Australia's future and a willingness to identify problems and implement innovative solutions, we encourage you to pre-register for our highly-regarded Graduate Development Program. You will have the opportunity to contribute to vital work that enriches our communities, empowers our regions and leaves a positive impact for generations to come.

\r\n\r\n

Our graduates are an important part of our workforce, which is why we provide a diverse range of work rotations which could see you:

\r\n\r\n
    \r\n\t
  • Regulating airports;
  • \r\n\t
  • Helping set the course for Australia's digital future;
  • \r\n\t
  • Implementing the Smart Cities Plan;
  • \r\n\t
  • Developing policy that protects our cultural heritage;
  • \r\n\t
  • Working on the development of the Western Sydney International (Nancy-Bird Walton) Airport;
  • \r\n\t
  • Supporting the Arts and cultural sector;
  • \r\n\t
  • Assist in creating policy that protects artwork and artefacts;
  • \r\n\t
  • Providing advice on strengthening our national broadcasters;
  • \r\n\t
  • Developing policy for broadband, open data and media; and
  • \r\n\t
  • Working on the development of the Inland Rail.
  • \r\n
\r\n\r\n

We recruit a small group of graduates each year. This enables us to provide high quality, tailored support to each incoming graduate. We understand the transition from study to a career can be a challenging one. Many of our graduates relocate from other parts of Australia and, for some, it is also their first experience of living away from home. We work hard to make it as easy as possible and offer a generous travel, accommodation and storage package. We also help you settle into Canberra with plenty of housing, food and recreational recommendations.

\r\n\r\n

The program includes:

\r\n\r\n
    \r\n\t
  • an 11-month program designed to build your networks and provide access to senior leaders
  • \r\n\t
  • three challenging and diverse work rotations across our high profile portfolio
  • \r\n\t
  • commencement as an APS3 employee (from $69,761* plus 15.4% superannuation)
  • \r\n\t
  • upon successful completion of rotations 1 and 2, advancement to an APS4 (from $77,294* plus 15.4% superannuation)
  • \r\n\t
  • upon successful completion of the program, advancement to an ongoing APS5 (from $86,291* plus 15.4% superannuation)
  • \r\n\t
  • a structured learning and development program to set you up for success, including choice between a Graduate Certificate in Public Administration or Graduate Certificate in Policy and Data at the University of Canberra.
  • \r\n\t
  • Access to our internal staff networks and experience coordinating key corporate events including the Department's Social Club and Christmas Party.
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for our Graduate Development Program, you must submit a completed application before the closing date and time, and provide evidence or confirmation of the following:

\r\n\r\n
    \r\n\t
  • be an Australian citizen by October 2025
  • \r\n\t
  • have completed (at least) an Australian Qualifications Framework Level 7 qualification (a Bachelor Degree), equivalent, or higher equivalent by January 2026
  • \r\n\t
  • have completed the most recent degree no more than 5 years from the date of the application being submitted
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government security clearance once accepted into the program
  • \r\n\t
  • be willing to undergo police, character, health or other checks as required
  • \r\n\t
  • be willing to relocate to Canberra.
  • \r\n
\r\n\r\n

If you require reasonable adjustments to be made to the assessment process please note this in your application and we will contact you to discuss.

\r\n\r\n

Successful applicants demonstrate they are motivated to explore opportunities and exemplify drive and adaptability. They are responsive and comfortable with change. As a graduate in our program you will thrive on being challenged in a flexible and fast-paced environment. Above all else, you will have a positive attitude and a desire to learn.

", - "company": { - "name": "Department of Infrastructure, Transport, Regional Development, Communications and the Arts", - "website": "https://au.prosple.com/graduate-employers/department-of-infrastructure-transport-regional-development-communications-and-the-arts", - "logo": "https://connect-assets.prosple.com/cdn/ff/RY0NK8WbYuTpPsM99PjXuNll2-CJX8LwVHwaEUN8kC0/1670802594/public/styles/scale_and_crop_center_80x80/public/2022-12/1670802343601_DoITRDCA_Stacked.png" - }, - "application_url": "https://career10.successfactors.com/career?career%5fns=job%5flisting&company=DoIT&navBarLevel=JOB%5fSEARCH&rcm%5fsite%5flocale=en%5fGB&career_job_req_id=44723&selected_lang=en_GB&jobAlertController_jobAlertId=&jobAlertController_jobAlertName=&browserTimeZone=Australia/Sydney&_s.crb=LioDNaHi8wX8b4gbrj%2boAMqThfNZhqHF5fGMyVOnRCE%3d", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-infrastructure-transport-regional-development-communications-and-the-arts/jobs-internships/graduate-development-program-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-28T13:59:59.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee501" - }, - "title": "First Nations Associate Scholarship and Internship", - "description": "

Your role

\r\n\r\n

BCG is looking for driven, curious students from all backgrounds who are excited by a challenge and want to have a positive impact on their communities, whether local, national, or global. Through the internship and scholarship program, they want to help you reach your goals and empower you to become future leaders and change-makers. 

\r\n\r\n

Open to undergraduate students at an Australian or New Zealand University in their penultimate year who identify as Aboriginal, Torres Strait Islander, Pasifika, or Maori.

\r\n\r\n

As a BCG First Nations Internship and Scholarship recipient, you will:

\r\n\r\n
    \r\n\t
  • Receive $20,000 in scholarship funding
  • \r\n\t
  • Join one of the offices as an intern for 8 weeks
  • \r\n\t
  • Learn about the work BCG does and explore how you can make a difference with the clients, colleagues, and communities
  • \r\n\t
  • Be assigned a mentor through the remainder of your studies, as well as a buddy who will support you during your internship
  • \r\n\t
  • Gain real-world experience before you graduate
  • \r\n\t
  • Build strong relationships and connect with peers through different activities have a pathway to a full-time graduate role with BCG Australia and New Zealand
  • \r\n
\r\n\r\n

About you

\r\n\r\n

An exceptional candidate for BCG's  Scholarship programs will demonstrate:

\r\n\r\n
    \r\n\t
  • A track record of achievement and impact
  • \r\n\t
  • An appetite for tackling and solving complex problems
  • \r\n\t
  • An ability to engage with and influence others
  • \r\n\t
  • Initiative, creativity, tenacity and resilience
  • \r\n\t
  • Alignment with their purpose and values
  • \r\n
\r\n\r\n

Eligibility criteria

\r\n\r\n

To apply for the BCG First Nations Internship and Scholarship, you must:

\r\n\r\n
    \r\n\t
  • Be of Aboriginal, Torres Strait Islands, Māori, or Pacific Island origin
  • \r\n\t
  • Be a citizen or permanent resident of Australia or New Zealand
  • \r\n\t
  • Be in your penultimate year of undergraduate or postgraduate study at a registered Australian or New Zealand university.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

BCGers tell BCG that innovative work keeps them energized and employee benefits help them to feel appreciated and empowered. They invest in every BCGer with the BCG employee benefits package, crafted to support financial, physical, and mental health and work-life harmony. BCG supports each BCGer with a comprehensive employee benefits package, including: 

\r\n\r\n
    \r\n\t
  • Competitive compensation
  • \r\n\t
  • Recognition opportunities
  • \r\n\t
  • Generous retirement savings
  • \r\n\t
  • Paid time off, including vacation, holidays, sick leave
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

BCG champions continuous learning, offering diverse strategies from on-the-job learning to digital tools. In response to the pandemic's demands, BCG emphasizes upskilling and reskilling through personalized programs. Their three-step approach, led by the Leadership & Talent Enablement Center, ensures companies build inclusive leadership, and a robust talent pipeline, and implement continuous learning for sustained effectiveness and growth.

\r\n\r\n

Career progression

\r\n\r\n

BCG understands the value of nurturing talent from the get-go. Their early career opportunities are dedicated to equipping you with a rich blend of experiences and skills. Careers at BCG are fast-paced, intellectually stimulating, and challenge you to perform at your best. BCG's supportive, high-performance culture ensures that you're always learning and growing, pushing the boundaries of your potential.

", - "company": { - "name": "Boston Consulting Group Australia", - "website": "https://au.prosple.com/graduate-employers/boston-consulting-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7s4cf1R0yfNmImdrhAhRpZ_-sqLzo55o7kZJgxMEOZM/1568688519/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-bcg-120x120-2019.jpg" - }, - "application_url": "https://careers.bcg.com/job/26160/First-Nations-Associate-Scholarship-Internship-Australia-and-New-Zealand", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boston-consulting-group-australia/jobs-internships/first-nations-associate-scholarship-internship" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-07-25T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee502" - }, - "title": "Information Technology Graduate Program", - "description": "

What we provide 

\r\n\r\n
    \r\n\t
  • a full-time, 12-month, award-winning graduate program
  • \r\n\t
  • a competitive starting salary of $70,280 (plus 15.4% super) as an APS3
  • \r\n\t
  • an excellent social and networking base with fellow graduates
  • \r\n\t
  • inspiring work rotations to develop your skills and explore different areas of interest
  • \r\n\t
  • work-life balance including flexible working from home arrangements and generous leave entitlements
  • \r\n\t
  • career progression to a permanent APS 4 level role of more than $86,800 ($75,728 plus 15.4% super), relevant to your stream, when you complete the program.
  • \r\n
\r\n\r\n

What you’ll do   

\r\n\r\n

With a vast and diverse technology landscape, we aim to deliver a client experience that defies expectations and design solutions that turn problems upside down. As an IT graduate, you will get to work on designing, delivering, managing, and protecting technology solutions and services that underpin the ATO’s operations and the broader revenue ecosystem.  

\r\n\r\n

You’ll be part of a globally recognised, leading IT capability. Our program offers an opportunity for you to gain an in-depth insight into information security, privacy, and compliance issues and collaborate with others to drive cyber security initiatives forward. You could:   

\r\n\r\n
    \r\n\t
  • assist in developing and applying strategies to configure, administer and maintain security in IT systems
  • \r\n\t
  • participate in the design and coordination of security changes required to IT environments and provide advice to clients
  • \r\n\t
  • analyse technical issues and research and develop design options to provide solutions
  • \r\n\t
  • contribute to the development and monitoring of access control in IT systems.
  • \r\n
\r\n\r\n

You’ll receive tailored training and mentoring from subject matter experts to enable you to reach your full potential.    

\r\n\r\n

Who you are  

\r\n\r\n

We’re looking for people with curious minds, who can demonstrate a passion for Australian Government initiatives, enjoy outside the box thinking, sharing ideas and building relationships, this could be the perfect opportunity for you. 

\r\n\r\n

Who can register 

\r\n\r\n

To be eligible to register, you must have completed your university degree within the last five years or be in your final year of study. At the time of commencing our program, you must have completed all your course requirements.  

\r\n\r\n

You must be an Australian citizen and willing to undergo police, character and health checks as required.

\r\n\r\n

Next steps    

\r\n\r\n

If this sounds like the perfect opportunity for you, we encourage you to register your interest today. 

", - "company": { - "name": "Australian Taxation Office (ATO)", - "website": "https://au.prosple.com/graduate-employers/australian-taxation-office-ato", - "logo": "https://connect-assets.prosple.com/cdn/ff/pj7oAoSwYPwm88sFO6z8XetMEKL5ATxqPi4iUou5NsY/1613637760/public/styles/scale_and_crop_center_80x80/public/2021-02/logo-ato-240X240-2021.jpg" - }, - "application_url": "https://www.ato.gov.au/About-ATO/Careers/Entry-level-programs/The-ATO-Graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-taxation-office-ato/jobs-internships/information-technology-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-10T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee503" - }, - "title": "Environmental, Governance and Social Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Environmental, Governance and Social areas as a grad?

\r\n\r\n

Empowerment, protection and accountability are key drivers for these teams who create the change that counts. With experts across safety and wellbeing, climate change and sustainability, human rights, and social impact, a graduate career here will see you create positive impacts for people and planet. You’ll also often work alongside professionals from other areas of the firm, applying your specialist skills to a broad range of industries, clients and challenges. 

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialities, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Our Environmental, Governance and Social teams sit within the Business, Consulting and Risk pathway. Apply to this pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be supply chain colleagues working alongside an environmental specialist, human rights experts, and change and communications professionals. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, as well as the delivery of the solution your client selects.

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or recently graduated and not yet in professional work
  • \r\n\t
  • A one year grow pathway with targeted coaching, support and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2026 (typically, some teams have a slightly different schedule) with a full time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax and advisory. Read more about us on our page

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the 5 minute application form. If you’re eligible, you’ll receive our online testing information. Interviews are conducted in person across March and April.

\r\n\r\n

During your recruitment journey, information will be provided about adjustment requests. If you require additional support before submitting your application, please contact our Talent Support Team - email: gradrecruiting@kpmg.com.au   

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTp", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/environmental-governance-and-social-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee504" - }, - "title": "Data Analytics (Technical Consulting) - Graduate Program", - "description": "

Our Graduate Program is designed for talented, passionate graduates who are looking to join an agile world leader and are ready to use the power of technology to deliver mission-critical IT services that move the world. Our customers entrust us to deliver what matters most. We believe every graduate is unique and our aim is to help you build a solid foundation in your professional career, apply your learnings, and discover new possibilities.

\r\n\r\n

If you are passionate about making a difference for our customers and society, this program is for you! Whether you are a tech enthusiast or someone who just wants to make an impact on people’s lives – join the DXC journey in shaping the future of tomorrow. 

\r\n\r\n

Graduate opportunities:

\r\n\r\n

Data Analytics (Technical Consulting) graduates will be working on solutions to implement and maintain data management and information management functionality for our customers. Tasks may involve the setup and configuration of cloud-based software products in the space of data management and data processing, ingestion and visualisation, information management and collaboration. 

\r\n\r\n

Your journey starts from Day 1

\r\n\r\n

You will take part in a structured induction program where you will have the opportunity to meet other graduates from your cohort across Australia and New Zealand and undertake training to get you up to speed with the DXC environment and build your interpersonal skills.

\r\n\r\n

What’s in it for you?

\r\n\r\n
    \r\n\t
  • A stimulating 12-month program with a company that is well-positioned to grow and deliver true innovation and value to our customers
  • \r\n\t
  • Opportunities to collaborate with senior leaders on various projects
  • \r\n\t
  • Ongoing training and development
  • \r\n\t
  • A dedicated people manager and buddy to help guide and support you from Day 1
  • \r\n\t
  • A variety of social and cultural activities to extend your networking and team-building skills
  • \r\n
\r\n\r\n

What we’re looking for?

\r\n\r\n

To be eligible for our Graduate Program, when submitting your application, you must be:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Permanent Resident
  • \r\n\t
  • Have completed all course requirements for your degree no earlier than November 2023, and must be expecting to complete all course requirements for your degree no later than February 2026
  • \r\n
\r\n\r\n

Note: Previous exposure to the Technology or Business sector (i.e. work placements or internships) or ex-Defence personnel (post-serving time in the Military) would be an advantage for some roles.

\r\n\r\n

All degrees are accepted. We invite you to join our passionate team and thrive with DXC.

\r\n\r\n

Our 'people first' mindset comes to life offering the ultimate in working flexibility. We take a virtual first approach and our teams are spread across multiple geographies delivering a broad range of customer projects, which means we can tailor working arrangements that work for our people. DXC is an equal-opportunity employer. We welcome the many dimensions of diversity. To increase diversity in the technology industry, we encourage applications from Aboriginal and/or Torres Strait Islander people, neurodiverse people, and members of the LGBTQIA+ community. Accommodation of special needs for qualified candidates may be considered within the framework of the DXC Accommodation Policy. In addition, DXC Technology is committed to working with and providing reasonable accommodation to qualified individuals with physical and mental disabilities. 

\r\n\r\n

If you need assistance in filling out the application form or require a reasonable accommodation while seeking employment, please e-mail: anzyoungprofessionals@dxc.com If you wish to find out more, please visit our website or contact anzyoungprofessionals@dxc.com 

\r\n\r\n

DXC acknowledges the Traditional Owners of the country throughout Australia, and their continuing connection to land, water, and community. We pay our respects to them and their cultures, and to their Elders, past, present, and emerging.  

", - "company": { - "name": "DXC Technology", - "website": "https://au.prosple.com/graduate-employers/dxc-technology", - "logo": "https://connect-assets.prosple.com/cdn/ff/Pgy3E3kN6YXC6_S3L_do1cfn2XDySpE4FpfVn2CYCsg/1623321492/public/styles/scale_and_crop_center_80x80/public/2021-06/logo-dxc-technology-ph-480x480-2021.png" - }, - "application_url": "https://dxc.com/au/en/careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dxc-technology/jobs-internships/data-analytics-technical-consulting-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-07T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee505" - }, - "title": "Graduate Program 2025- Entry Level Role", - "description": "TCS invites you to join our Graduate program. You will have the opportunity to learn and develop skills in areas like development, data analytics and work on upcoming technologies like Cloud, AI.", - "company": { - "name": "Tata Consultancy Services", - "website": "https://au.gradconnection.com/employers/tata-consultancy-services", - "logo": "https://media.cdn.gradconnection.com/uploads/5b8c0d5d-91a7-40e7-b10d-aaebf5ef34f3-TCS_Logo_.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/tata-consultancy-services/jobs/tata-consultancy-services-graduate-program-2025-entry-level-role" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-01T05:48:00.000Z" - }, - "locations": ["NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Cyber Security", - "Engineering - Software", - "Information Systems", - "Information Technology", - "Telecommunications" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee506" - }, - "title": "Graduate Program (Data Stream)", - "description": "

At the Department of Education, our goal is to create a better future for all Australians through education.

\r\n\r\n

By supporting a strong early childhood education system, we help children prepare for school and families re-engage with work. Through education and learning, we change lives – opening a world of possibilities for children and young people.

\r\n\r\n

We provide advice to our Ministers and lead the implementation of Government policies and programs to build a strong education system. We draw on the best available research, evidence and data and work collaboratively with industry, stakeholders and state and territory governments.

\r\n\r\n

As an organisation of approximately 1,600 staff, we pride ourselves on our positive, supportive and inclusive workplace culture (https://www.education.gov.au/about-department/work-us/life-education) that nurtures talent and encourages employees to achieve their full potential.

\r\n\r\n

To learn more about our department, including our key priorities, refer to our 2024-25 Corporate Plan (https://www.education.gov.au/about-department/resources/202425-corporate-plan-department-education).

\r\n\r\n

Make a difference! Join our graduate program.

\r\n\r\n

We are looking for graduates from all degree disciplines to help us deliver Australian Government priorities across the education sector.

\r\n\r\n

The Department participates in the Australian Government Graduate Program (AGGP - https://www.apsjobs.gov.au/s/graduate-portal), working collaboratively with other APS agencies to recruit talented individuals for our Graduate Program. If you’re interested in empowering people to achieve their potential through education— preference Education and get your career startED with us! 

\r\n\r\n

Our graduate program is a great way for you to transition from education to employment. We know firsthand the significance of this milestone and you’ll find our graduate program connects you to friendly, experienced professionals who will help you apply your skills and knowledge as you start your career in the Australian Public Service (APS). As an Education Graduate, you will be provided with varied and challenging work supported by formal learning and development opportunities, on-the-job training and mentoring.

\r\n\r\n

Successfully completing our graduate program will help you apply your skills in new ways while building a strong foundation for a fulfilling career at the department or across the Australian Public Service (APS).

\r\n\r\n

Why join us

\r\n\r\n
    \r\n\t
  • Career progression: Start as an APS Level 3 and progress to APS Level 5 on successful completion of the program. Refer to the Australian Public Service Commission website for more information on APS levels.
  • \r\n\t
  • Salary increase: Start at $75,419 (plus 15.4% superannuation) and progress to $90,580 (plus 15.4% superannuation) upon successful completion of the program.
  • \r\n\t
  • Placements: Full-time 10-month program, involving two 5-month work placements, allowing you to work on a variety of priority policies, programs or projects.
  • \r\n\t
  • Learning and Development: Experience on the job training, supported by a range of formal learning and development opportunities.
  • \r\n\t
  • Buddy Program: We will match you up with a ‘buddy’ from the previous year’s graduate program, who can support and guide you by sharing their experience and insights.
  • \r\n\t
  • Location options: The majority of positions are located in Canberra with some opportunities available interstate. Relocation assistance is provided to candidates who relocate to Canberra.
  • \r\n\t
  • Employee Networks: Help contribute to a positive and inclusive workplace culture by joining our Employee Networks.
  • \r\n\t
  • Community: Participate in Social Club and Graduate Fundraising activities to connect with colleagues at every level.
  • \r\n
\r\n\r\n

Eligibility

\r\n\r\n

To be eligible to apply through the AGGP, applicants must submit a completed application prior to the closing date and time and provide evidence of or confirmation of the following:

\r\n\r\n
    \r\n\t
  • be an Australian citizen at the time of application
  • \r\n\t
  • will or have completed at least an Australian Qualifications Framework Level 7 qualification (a Bachelor's degree), or higher equivalent by 31 December 2025
  • \r\n\t
  • your most recent eligible qualification has or will be completed between 1 January 2021 to 31 December 2025
  • \r\n\t
  • be able to obtain and maintain a valid Australian Government baseline security clearance once accepted onto the program
  • \r\n\t
  • be willing to undergo any police, character, health or other checks required.
  • \r\n
\r\n\r\n

If you secure a place in our Graduate Program the department will guide you through the process of obtaining your Baseline security clearance as part of your onboarding process.

\r\n\r\n

How to apply

\r\n\r\n

The Department of Education participates in the following AGGP streams. You can apply for one or many of the streams below to be considered for a role with us. 

\r\n\r\n
    \r\n\t
  • Generalist
  • \r\n\t
  • Data
  • \r\n\t
  • Economist
  • \r\n\t
  • Legal
  • \r\n\t
  • Indigenous Graduate Program
  • \r\n\t
  • Finance and Accounting
  • \r\n\t
  • Digital
  • \r\n\t
  • HR
  • \r\n
\r\n\r\n

Visit our website (https://www.education.gov.au/graduate-and-entry-level-programs/graduate-program) to read more about what we can offer you as a 2026 Education Graduate.

\r\n\r\n

Applications for the 2026 Australian Government Graduate Program will open in March 2025, but we offer an Expression of Interest Register allowing you to share your interest in the meantime. When you express your interest we'll keep in touch, so you know when you can apply and what opportunities we offer.

\r\n\r\n

Complete the expression of interest for our exciting and rewarding Graduate Program!  Click \"Pre-register\" now!

\r\n\r\n

Make a difference by creating a better future for all Australians through education. You have what it takes. Join us!

", - "company": { - "name": "Department of Education", - "website": "https://au.prosple.com/graduate-employers/department-of-education", - "logo": "https://connect-assets.prosple.com/cdn/ff/tsByEVvor94eh3WGilznUAccgJVe39CrWnZreg3RUcY/1728363959/public/styles/scale_and_crop_center_80x80/public/2024-10/1728363956567_3282%202026%20Graduate%20Recruitment%20Campaign_Prosple%20Banner_crest_jade.jpg" - }, - "application_url": "https://dese.nga.net.au/?jati=93A5A59F-8412-8C6E-107A-DB33799B93F4", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-education/jobs-internships/graduate-program-data-stream-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-03T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "SA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee507" - }, - "title": "Graduate Role- Cloud Platform Engineer", - "description": "As a Cloud Platform Engineer,you will be part of our cloud infrastructure team, helping to build, and maintain cloud environments. Perfect for recent graduates who are passionate about cloud computing", - "company": { - "name": "Tata Consultancy Services", - "website": "https://au.gradconnection.com/employers/tata-consultancy-services", - "logo": "https://media.cdn.gradconnection.com/uploads/5b8c0d5d-91a7-40e7-b10d-aaebf5ef34f3-TCS_Logo_.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/tata-consultancy-services/jobs/tata-consultancy-services-graduate-role-cloud-platform-engineer-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T06:07:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Engineering", - "Engineering - Software", - "Information Systems", - "Information Technology", - "Telecommunications" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee508" - }, - "title": "Software Engineering Graduate Programme – Hong Kong", - "description": "Join our Graduate Programme in our Software Engineering Practice and launch an exciting, fast-paced career in IT transformation.", - "company": { - "name": "FDM Group Hong Kong", - "website": "https://au.gradconnection.com/employers/fdm-group-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/062350b4-81cd-4abe-aeda-a340653b90c8-FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/vacancies/839/software-engineering-practice-hong-kong.html?utm_source=career", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/fdm-group-hk/jobs/fdm-group-hong-kong-software-engineering-graduate-programme-hong-kong-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-03T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Computer Science", - "Data Science and Analytics", - "Engineering - Software", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee509" - }, - "title": "Technology Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/technology-graduate-development-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50a" - }, - "title": "Management Trainee Program – Supply Chain & Operations Stream", - "description": "

About our Program? 

\r\n\r\n

Our Management Trainee Program has been uniquely designed to build your business and leadership expertise, enriched with experiences and exposure to set you up for a successful career in L’Oréal. 

\r\n\r\n

Features:

\r\n\r\n
    \r\n\t
  • 2-3 Rotations (lasting 6months each) in your chosen stream across our 5 divisions (Consumer Products, Luxury Brands, Dermatological Beauty, Professional Salon Products and Corporate)
  • \r\n\t
  • Dedicated 1on1 Mentoring from our top talent management
  • \r\n\t
  • Buddy Program with past Management Trainees
  • \r\n\t
  • Personal monthly catchups with our CEO & Senior Management Team
  • \r\n\t
  • Monthly moments with HR & Subject Matter Experts
  • \r\n\t
  • Be part of the international Management Trainee Cohort
  • \r\n\t
  • Permanent Contract with guaranteed role after completion
  • \r\n\t
  • Hands on experience in stores and conducting consumer research
  • \r\n\t
  • Supportive induction and dedicated 1 week onboarding to set you up for success
  • \r\n\t
  • Customised learning and development throughout the year – mix of soft and technical skill training to enhance your growth in the program
  • \r\n\t
  • Access to bespoke e-learning modules to upskill yourself at your own direction
  • \r\n\t
  • Be part of a vibrant cohort and enjoy social moments through the year
  • \r\n
\r\n\r\n

Perks:

\r\n\r\n
    \r\n\t
  • Contract benefits:\r\n\t
      \r\n\t\t
    • Product Allowance to use across the company
    • \r\n\t\t
    • Access to discounted products through our on-site staff shop
    • \r\n\t\t
    • Leave benefits - extra 5 days of leave per year and 2 days of volunteering leave
    • \r\n\t\t
    • Profit Share Bonus
    • \r\n\t\t
    • Life insurance and Income Protection
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Company benefits:\r\n\t
      \r\n\t\t
    • Summer hours (Shorter Friday hours during summer)
    • \r\n\t\t
    • Access to Health & Well-being programs throughout the year
    • \r\n\t\t
    • Hybrid working model – 60:40 Split Office vs. Home
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Distribution Centre benefits:\r\n\t
      \r\n\t\t
    • On-site staff shop
    • \r\n\t\t
    • Coffee machine and fresh fruit available on-site
    • \r\n\t\t
    • Invitation to internal launches & events
    • \r\n\t\t
    • Our garden initiative; fresh herbs & produce grown in our own veggie patch
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

About the Supply Chain & Operations Stream? 

\r\n\r\n
    \r\n\t
  • Gain experience in rotations through divisional supply chain teams, customer care and logistics
  • \r\n\t
  • Exposure to the entire forecasting, customer care and planning process
  • \r\n\t
  • Interaction with external stakeholders and Supply Chain partners
  • \r\n\t
  • Introduction to warehouse management and controlling distribution
  • \r\n\t
  • Analyse data and be part of great Projects to improve efficiencies, suggest innovative ideas and drive business results
  • \r\n
\r\n\r\n

Our Supply Chain & Operations trainees have been involved in projects like streamlining the replenishment process for e-boutiques, collaborating with sub-contractors to adjust data transferal from one warehouse management system to the other and even automating reports that are typically done manually.

\r\n\r\n

This role will be based at our Distribution Centre in Dandenong South.

\r\n\r\n

About you? 

\r\n\r\n

We are looking for passionate, entrepreneurial and innovative graduates to help us create the future of Beauty. You will forge your own career path, going beyond what you thought was possible by reacting fast and being able to hit the ground running. You will need to have leadership skills and be able to take direction as well. All background and disciplines are welcome. 

\r\n\r\n

You might be sporty, you might not. You can be an introvert or an extrovert. A beauty junkie, a data genius, or a crazy scientist. The point is, whoever you are, we want to hear from you.  Our teams are always there to help, celebrate and cheer one another! That’s what makes the glue of L’Oréal: the people. And that is something we’re proud of! 

\r\n\r\n

Freedom to go beyond:

\r\n\r\n

Some of our previous graduates are now launching new brands, others are spearheading process improvement projects and then there are those who are now high-flying professionals working across the world! One thing they all have in common is the profound impact made on our company. Because of this, we take great pride in our Management Trainees and as such, invest heavily in their training, support, and development. 

\r\n\r\n

Next steps? 

\r\n\r\n
    \r\n\t
  • Applications close at 11:59 pm AEST Sunday 31st March 2025
  • \r\n\t
  • Shortlisting will be done in April.
  • \r\n\t
  • Shortlisted candidates will be invited for a video interview and cognitive assessment.
  • \r\n\t
  • Those selected, will be invited to the assessment centre hosted at L’Oréal (6-10 May)
  • \r\n\t
  • Offers will be made by end of May
  • \r\n
\r\n\r\n

If you want to join the world’s largest beauty company and join us in creating beauty that moves the world, Pre-register now to get notified when the job is open!

\r\n\r\n

L'Oréal Australia & New Zealand is a supporter of reducing barriers that exist due to traditional working practices and therefore flexible work arrangements will be considered for this role. We are committed to achieving a diverse workforce and encourage applications from people with disability, Aboriginal and Torres Strait Islander peoples and people from culturally diverse backgrounds. We are an Employer of Choice for Gender Equality (WGEA) and a Family Friendly Workplace (Parents At Work & UNICEF). We hold a Reflect Reconciliation Action Plan and we acknowledge the Traditional Custodians of the lands on which we work and pay our respects to their Elders past and present.

", - "company": { - "name": "L'Oréal Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q_KIii4y0763fDN6UoVrE_HbLri-wM5nUEqUamrQoWc/1634801839/public/styles/scale_and_crop_center_80x80/public/2021-10/logo-loreal-480x480-2021.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand/jobs-internships/management-trainee-program-supply-chain-operations-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50b" - }, - "title": "Business and Consulting Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Business and Consulting areas as a grad?

\r\n\r\n

Imagine a problem an organisation might have: The customers aren’t happy. A reputation is damaged. A new policy hasn’t met its objectives. The HR department hasn’t kept up with rapid business expansion. There are so many challenges in the every day and in planning for the future – as a consultant, you’ll help solve problems like these within a cross-functional team who can truly assess a problem and then develop and deliver solutions that meet the client’s long-term goals. Taking this opportunity won’t just build your skills in the specialisation you choose, you’ll learn about a variety of fields and industries. 

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Business, Consulting, and Risk pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, or a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be finance experts working alongside software developers and change and communications professionals. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, meeting with clients to understand their business, updating project plans, as well as the delivery of the solution your client selects. 

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or who recently graduated and are not yet in professional work
  • \r\n\t
  • A one-year grow pathway with targeted coaching, support, and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2025 (typically, some teams have a slightly different schedule) with a full-time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment to learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, and now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb, and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Graduate Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTp", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/business-and-consulting-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50c" - }, - "title": "IT Security Intern", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:  

\r\n\r\n
    \r\n\t
  • Conduct security research and develop tools to enhance the company's knowledge base.  
  • \r\n\t
  • Write and document code proficiently.  
  • \r\n\t
  • Collaborate with the security team to support ongoing projects and initiatives.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will possess:  

\r\n\r\n
    \r\n\t
  • Proficiency in programming languages such as C, Go, Ruby, or Python, and familiarity with SQL.  
  • \r\n\t
  • Experience with security tools like Burp Proxy, Metasploit, Nessus, and Kali.  
  • \r\n\t
  • Knowledge of Windows internals, including registry, processes, and file systems.  
  • \r\n\t
  • Understanding of network protocols and infrastructure, such as HTTP, FTP, SSH, DNS, Active Directory, and Linux.  
  • \r\n\t
  • Excellent verbal and written English communication skills.  
  • \r\n\t
  • A professional demeanor, punctuality, and strong work ethics.
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Competitive compensation package, including potential for full-time employment after one year, along with professional growth opportunities.

\r\n\r\n

Training & development

\r\n\r\n

Access to professional development programs and mentorship to enhance skills and career growth.

\r\n\r\n

Career progression

\r\n\r\n

Successful interns may be offered full-time positions, with opportunities for advancement and increased responsibilities over time.

\r\n\r\n

How to apply

\r\n\r\n

To apply, email your curriculum vitae and contact details, following the specified structure and guidelines.

", - "company": { - "name": "Mossé Security Australia", - "website": "https://au.prosple.com/graduate-employers/mosse-security-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/-LR_97iel7VgaMb6du9Gsncj-ceu559TlpCWmd3QzNo/1733730657/public/styles/scale_and_crop_center_80x80/public/2024-12/logo-MosseSecurity-AU-450x450-2024%20%281%29.png" - }, - "application_url": "https://www.mosse-security.com/jobs/it-security-intern.html", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/mosse-security-australia/jobs-internships/it-security-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50d" - }, - "title": "Graduate Program", - "description": "

We’ll be in touch to let you know when applications are opening for our programs.

\r\n\r\n

Want to know a little more about the program?

\r\n\r\n

You'll be taking on meaningful responsibilities from day one, expanding your network, and honing essential skills. Just imagine the confidence you'll acquire through a diverse range of experiences with leading clients across various industries. You'll collaborate with experienced professionals, who'll guide and inspire you to realise your full potential. We’re currently looking for students from a range of degrees.

\r\n\r\n

To be eligible for our Graduate Program, you’ll need to be 

\r\n\r\n
    \r\n\t
  • Currently in the final year of your degree program, or
  • \r\n\t
  • Have graduated and it has been no more than 24 months since you completed your studies at the time of your application
  • \r\n\t
  • An Australian or New Zealand citizen, or an Australian permanent resident. International students should refer to our International Student criteria on our website to ascertain their eligibility before applying.
  • \r\n
\r\n\r\n

Register your interest today!

", - "company": { - "name": "EY Australia", - "website": "https://au.prosple.com/graduate-employers/ey-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q-ppHhjKvVcdqlcWS4vjI8B0NgZ9yUA4Vn6H9RhMZvk/1731005483/public/styles/scale_and_crop_center_80x80/public/2024-11/1731005471825_EY_Logo_Beam_STFWC_Stacked_RGB_OffBlack_Yellow_EN_240x240.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/ey-australia/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-23T12:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50e" - }, - "title": "Vacation Programme", - "description": "

At AngloGold Ashanti Australia (AGAA), we have your learning and development at heart. People are our business, and our business is our people. As future industry leaders, we recognise the potential you bring to the organisation. As a vacation student, you become a valued member of our team.  

\r\n\r\n

We are interested in talented and ambitious second- to penultimate-year students, seeking to obtain work exposure during their summer break. 

\r\n\r\n

Vacation Programme  

\r\n\r\n

AGAA offers a 12-week summer vacation programme for paid on-the-job work experience during your university vacation break (November to February). As a successful vacation student, you’ll get first access to our Graduate Programme opportunities.  

\r\n\r\n

Disciplines and Location  

\r\n\r\n

As a Vacation Student, you will be based at one of our two Australian operations, Sunrise Dam or Tropicana, or our Regional Perth office. Our operations are located in the northeastern goldfields of Western Australia. Site-based vacation roles will be FIFO on 8 days on/6 days off or 4 days on/3 days off rostering from Perth or Kalgoorlie. Positions such as Finance, Payroll and Human Resources will be based in our Regional Perth office.  

\r\n\r\n

The Vacation Students we would like to join our team are studying the following disciplines:   

\r\n\r\n
    \r\n\t
  • Geology
  • \r\n\t
  • Metallurgy
  • \r\n\t
  • Geotechnical Engineering
  • \r\n\t
  • Mechanical Engineering
  • \r\n\t
  • Electrical Engineering
  • \r\n\t
  • Mining Engineering
  • \r\n\t
  • Environmental Sciences
  • \r\n\t
  • Surveying 
  • \r\n\t
  • Accounting
  • \r\n\t
  • Finance and Payroll
  • \r\n\t
  • People and Capability 
  • \r\n
\r\n\r\n

Supporting a Diverse Workforce

\r\n\r\n

At AGAA, we are focused on creating a safe and inclusive environment for everyone – an environment where people feel able to bring their whole, authentic self to work and feel safe, respected, and valued while doing so. Our Wellbeing Framework and Diversity and Inclusion initiatives are underpinned by AGAA values that prioritise the safety of each and every person in our workplaces. 

\r\n\r\n

Pre-register

\r\n\r\n

Pre-register here so you'll get notified once the opportunity is open!

", - "company": { - "name": "AngloGold Ashanti Australia", - "website": "https://au.prosple.com/graduate-employers/anglogold-ashanti-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/IVAWVTfTztDSPEZd3DDLshjqegWBs3OW12tRsYoisqs/1710474424/public/styles/scale_and_crop_center_80x80/public/2024-03/1710474420903_Logo%20for%20Prosple.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/anglogold-ashanti-australia/jobs-internships/vacation-programme-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-04-25T15:59:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee50f" - }, - "title": "Graduate Backend Software Engineer, TikTok LIVE - Foundation", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Develop large-scale software systems that drive the TikTok app;
  • \r\n\t
  • Improve system design and architecture to ensure high stability, performance, and reliability of the product;
  • \r\n\t
  • Collaborate with cross-functional teams to deliver high-quality work in a fast-paced environment.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline
  • \r\n\t
  • Experience in building backend services for large-scale consumer-facing applications
  • \r\n\t
  • Proficient in at least one of the following languages: Go, Python, Java, C++
  • \r\n\t
  • Deep understanding of computer architectures, data structures and algorithms
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good communication and team collaboration skills
  • \r\n\t
  • Prior internship experience in building backend services for large-scale consumer-facing applications is a plus
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7371321402894715173?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer-tiktok-live-foundation-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee510" - }, - "title": "Resume & Cover Letter Writing Workshop", - "description": "This workshop will share ways to level up your resume and cover letter and make a compelling first impression.", - "company": { - "name": "Boston Consulting Group (BCG)", - "website": "https://au.gradconnection.com/employers/bcg", - "logo": "https://media.cdn.gradconnection.com/uploads/932334b9-742f-4f1c-82ca-de0f3eefe801-Boston_Consulting_Group_BCG-logo_CcqFqIH.png" - }, - "application_url": "https://careers.bcg.com/global/en/australia-new-zealand-associate-recruitment#:~:text=Register%20for%20one%20of%20our%20recruiting%20events.", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/bcg/jobs/boston-consulting-group-bcg-resume-cover-letter-writing-workshop-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-23T12:59:00.000Z" - }, - "locations": ["ACT", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Arts and Humanities", - "Business and Commerce", - "Computer Science", - "Engineering", - "Law", - "Mathematics", - "Science" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.598Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.598Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee511" - }, - "title": "Graduate Site Reliability Engineer, Video Arch", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Take ownership of the operation and reliability of one of TikTok's most critical components - Videos, encompassing short videos, live streaming, and real-time communications.
  • \r\n\t
  • Develop and maintain global infrastructure for multimedia transport, storage, and processing to serve billions of users worldwide.
  • \r\n\t
  • Participate in global production systems management, including monitoring, emergency response, capacity planning, and optimization.
  • \r\n\t
  • Create tools, automation processes, visualizations, and monitoring systems to facilitate the operation and optimization of the global infrastructure.
  • \r\n\t
  • Contribute to and enhance the entire service lifecycle, from inception and design through deployment, operation, and refinement.
  • \r\n\t
  • Construct multi-geo infrastructure across the globe, manage service capacity across regions, and balance traffic and resources on a global scale.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Recent graduates or have graduated strictly within the last 12 months
  • \r\n\t
  • Bachelor's Degree in Computer Science or a related major involving software/system engineering
  • \r\n\t
  • Good programming skills using at least one programming language
  • \r\n\t
  • Knowledge of networking, operating systems, database systems, and container technology
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Passionate, self-motivated, and good team collaboration skills
  • \r\n\t
  • Good understanding of every aspect of microservice architecture, and hands-on experience in troubleshooting in large-scale distributed systems
  • \r\n\t
  • Hands-on experience in common open-source systems such as Linux, MySQL, MongoDB, Redis, and ELK
  • \r\n\t
  • Experience in building solutions with AWS, Google Cloud Platform, Microsoft Azure, and other cloud services
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7387660111462893833?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-site-reliability-engineer-video-arch-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee512" - }, - "title": "Mobile Engineer Intern - TikTok LIVE Foundation", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

About the TikTok Engineering Team

\r\n\r\n

We are building up an engineering team for core TikTok product in Australia, to ensure TikTok continues a healthy growth, deliver the best product experience to all of our users, build the most attractive features to help users on enjoying their time on TikTok, earn trust on privacy protection, and more.

\r\n\r\n

As a project intern, you will have the opportunity to engage in impactful short-term projects that provide you with a glimpse of professional real-world experience. You will gain practical skills through on-the-job learning in a fast-paced work environment and develop a deeper understanding of your career interests.

\r\n\r\n

Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

Successful candidates must be able to commit to at least 3 months long internship period.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Design, implement the new-user features of our mobile application;
  • \r\n\t
  • Collaborate with the design and product teams to create a world-class mobile experience;
  • \r\n\t
  • Optimize mobile applications and user experience on the Android / iOS platforms;
  • \r\n\t
  • Promote robust and maintainable code, clear documentation, and deliver high quality work on a tight schedule.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Proficiency in coding & scripting languages such as C/C++, Java, Kotlin, Objective-C, Swift, JavaScript or Python
  • \r\n\t
  • Solid understanding of computer science and strong problem solving skills
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Good team communication and collaboration skills
  • \r\n\t
  • Experience in mobile development (Android/iOS apps) is a plus but not a must-have
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7408053796557654310?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/mobile-engineer-intern-tiktok-live-foundation-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee513" - }, - "title": "Graduate Hire 2024/25 - Security Engineer (Tech Governance, Governance support)", - "description": "OKX will be prioritising applicants who have a current right to work in Hong Kong, and do not require OKX's sponsorship of a visa. If you are interested in more than one Supernova role, please apply to your first preference. We will still consider you for all opportunities.", - "company": { - "name": "OKX Hong Kong", - "website": "https://au.gradconnection.com/employers/okx-hk", - "logo": "https://media.cdn.gradconnection.com/uploads/4313d9b6-5fb2-44ea-a16f-05f22d4f410f-OKX_CompanyLogo.jpg" - }, - "application_url": "https://job-boards.greenhouse.io/okx/jobs/6119835003", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/okx-hk/jobs/okx-hong-kong-graduate-hire-202425-security-engineer-tech-governance-governance-support-8" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-21T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": [ - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS", - "OTHER_RIGHTS" - ], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee514" - }, - "title": "Policy and Corporate Pathway Graduate Program", - "description": "

Bring your unique skills and experiences to a world of opportunity at Defence. Make your mark in the Policy and Corporate pathway by working on:

\r\n\r\n
    \r\n\t
  • program management
  • \r\n\t
  • administration
  • \r\n\t
  • analysis
  • \r\n\t
  • personnel and
  • \r\n\t
  • policy
  • \r\n
\r\n\r\n

The Policy and Corporate pathway accepts applications from all degree disciplines. It's suited to graduates interested in:

\r\n\r\n
    \r\n\t
  • arts and humanities
  • \r\n\t
  • business and commerce
  • \r\n\t
  • construction and building management
  • \r\n\t
  • data and cyber security
  • \r\n\t
  • environmental science
  • \r\n\t
  • information and communication technology
  • \r\n\t
  • international and security studies
  • \r\n\t
  • media and communication
  • \r\n\t
  • policy and international relations
  • \r\n\t
  • project management
  • \r\n
\r\n\r\n

Salary

\r\n\r\n

All successful candidates start the Graduate Program on a salary of $73,343 plus 15.4% superannuation (increasing to $76,277 upon the Fair Work Commission approval of the Defence Enterprise Collective Agreement – 2024).

\r\n\r\n

Graduates advance to a higher salary after successfully completing the Program. The amount depends on which training pathway is completed.

\r\n\r\n

Defence's is committed to enabling an enjoyable work-life balance through:

\r\n\r\n
    \r\n\t
  • generous remuneration package
  • \r\n\t
  • conditions of service
  • \r\n\t
  • flexible work arrangements and
  • \r\n\t
  • leave benefits
  • \r\n
\r\n\r\n

Location

\r\n\r\n

Roles in this pathway are based in Canberra with a limited possibility of an interstate rotation placement during the program.

\r\n\r\n

Duration

\r\n\r\n

12 months – 3 x 4-month rotations.

\r\n\r\n

Roles

\r\n\r\n

Policy and Corporate Pathway applicants need to choose one of these role types in their application:

\r\n\r\n
    \r\n\t
  • Analyst: \r\n\r\n\t
      \r\n\t\t
    • Provide commercial management and procurement advice. This role helps facilitate Defence’s investment to develop innovative technologies.
    • \r\n\t\t
    • Advise and influence decision-making and strategy on real-world Defence capability investments.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Corporate: \r\n\t
      \r\n\t\t
    • Work in communication, finance, marketing, and strategic planning.
    • \r\n\t\t
    • Support key decisions that lead to innovative corporate solutions for the government.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Policy:\r\n\t
      \r\n\t\t
    • Produce and apply strategy to influence the policy frameworks that govern Defence operations and international engagement
    • \r\n\t\t
    • Guide industry to deliver capability
    • \r\n\t\t
    • Ensure quality outcomes and optimum impact of government investment.
    • \r\n\t
    \r\n\t
  • \r\n\t
  • Project and program management:\r\n\t
      \r\n\t\t
    • Work in project planning, procurement, management, and contract administration.
    • \r\n\t\t
    • Deliver nationally significant infrastructure or environmental projects.
    • \r\n\t
    \r\n\t
  • \r\n
\r\n\r\n

Defence is the winner of the 2023 Graduate Employer Award for Government & Public Safety by Prosple.

", - "company": { - "name": "Department of Defence", - "website": "https://au.prosple.com/graduate-employers/department-of-defence", - "logo": "https://connect-assets.prosple.com/cdn/ff/sKy0CNv4vkus5lqJKQwuEfeblfZAjq9wwWz9DYl9uoU/1666050750/public/styles/scale_and_crop_center_80x80/public/2022-10/logo-department-of-defence-480x480-2022.png" - }, - "application_url": "https://www.defence.gov.au/jobs-careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-defence/jobs-internships/policy-and-corporate-pathway-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-09T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee515" - }, - "title": "Order Management Design and Support Intern #GeneralInternship", - "description": "Join the Order Management & Billing team to design solutions, automate processes, perform CRM testing and support order management tasks. You will be involved in solution design, internal development tasks, test case execution and many more.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://groupcareers.singtel.com/job/Order-Management-Design-and-Support-Intern-GeneralInternship-Sing/1052448166/", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-order-management-design-and-support-intern-generalinternship-3" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee516" - }, - "title": "Brandstorm Innovation Competition", - "description": "

Opportunity

\r\n\r\n

We are looking for strategic, tech-savvy, and innovative minds to be part of our Global Innovation Competition ‘Brandstorm’ and create beauty technologies that move the world. Open to ALL Fields of Study! 

\r\n\r\n

What's in it for you?

\r\n\r\n
    \r\n\t
  • A 3-month paid mission in Paris (all expenses covered)
  • \r\n\t
  • Internship and Graduate opportunities within L'Oréal ANZ - fast track your way into the business
  • \r\n\t
  • Official Certification to add to your CV / LinkedIn
  • \r\n\t
  • Be Mentored by local L'Oréal Teams
  • \r\n\t
  • Access to e-learning courses through Salesforce
  • \r\n\t
  • The winning team for ANZ will be invited to pitch in-person at the International Final in Paris!
  • \r\n
\r\n\r\n

Your mission:

\r\n\r\n

It’s time to rewrite the rules of Beauty & Care. Men need to be as invested in looking and feeling their best and deserve products and routine that speak directly to them. 

\r\n\r\n

This is your chance to create a future where men’s grooming takes centre stage. Are you ready to break down stereotypes and empower men to embrace self-care?

\r\n\r\n

L'Oréal Brandstorm 2025 mission is in partnership with L'Oréal's Consumer Products Division and we challenge you to:

\r\n\r\n

Reinvent the Future of beauty & care for men through tech, products & beyond.

\r\n\r\n
    \r\n\t
  • Step 1: Register on the platform (click apply now to access)
  • \r\n\t
  • Step 2: Create or join a team of 3
  • \r\n\t
  • Step 3: Submit a 3-minute video pitch and 3 slides
  • \r\n\t
  • Step 4: If shortlisted, come to Melbourne HQ for the local finals and present your idea to ANZ Management Committee.
  • \r\n\t
  • Step 5: If you are the local ANZ winners, be taken to Paris in June 2025, to take part in the International finals!
  • \r\n\t
  • Step 6: If you are the winner, go to Paris for a three month mission and develop and execute your idea! Global winners will also be offered a spot on the Management Trainee program in their home country!
  • \r\n
\r\n\r\n

What are you expected to do?

\r\n\r\n


\r\nWe challenge you to unleash your creativity and design ground breaking devices, products, or services that will revolutionize the male beauty & care experience.
\r\nBelow are the elements you have to respect in your projects:

\r\n\r\n
    \r\n\t
  • Men at the Forefront: Dive deep into the evolving landscape of men's beauty & care. Identify the unmet needs, challenge traditional norms, and explore the explosive opportunities within this dynamic market.
  • \r\n\t
  • Tech as Your Weapon: Harness the power of technology! Integrate data, digital tools, augmented reality, and the magic of Generative AI to create truly innovative solutions that 
    \r\n\tshatter expectations.
  • \r\n\t
  • Inclusivity & Sustainability: Build with purpose! Ensure your creations are inclusive, catering to the diverse needs of all men, and champion sustainable practices for a brighter future.
  • \r\n
\r\n\r\n

Register now for your chance to play.

\r\n\r\n

An innovation competition like no other. 

", - "company": { - "name": "L'Oréal Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q_KIii4y0763fDN6UoVrE_HbLri-wM5nUEqUamrQoWc/1634801839/public/styles/scale_and_crop_center_80x80/public/2021-10/logo-loreal-480x480-2021.jpg" - }, - "application_url": "https://brandstorm.loreal.com/en", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand/jobs-internships/brandstorm-innovation-competition-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-03-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee517" - }, - "title": "Sales Trainee", - "description": "

Sandhills Pacific is seeking professional, competitive, self-motivated sales representatives who are hungry for large income potential with a successful, results-driven company. Sandhills Pacific currently has over 10 open territories in Australia and New Zealand across all publications. The Sales Trainee Position will assist in obtaining listings and advertisements from our customers. The Trainee will start by going through a training process to learn about the company, the company products and how we service our customers. The Trainee will be responsible for servicing new and existing customer accounts, placing sales orders and maintaining sales records. Sales Trainees will have the opportunity to advance in their role to lead a territory.
\r\n
\r\nTrainee positions will be located in Brisbane, but an exciting part of this role is the opportunity to travel to their Australian territory to visit and work directly with customers. Travel is required to achieve the highest level of customer service. Sandhills pays for business-related travel expenses.
\r\n
\r\nResponsibilities of Sales Representative include, but are not limited to:

\r\n\r\n
    \r\n\t
  • Prospect potential customers in the trucking, construction, and agricultural equipment industries and sell advertising and Sandhills-hosted cloud-based services.
  • \r\n\t
  • Continue to service customers after the initial sale and build a long-term relationship business relationship to continue to drive results for the customer. It is a necessity that our sales representatives are personable and continuously educate the customer on all of the tools available to them through Sandhills.
  • \r\n\t
  • Travel to visit with clients regularly. Commitment is approximately one week per month; this could vary based on the company's needs.
  • \r\n\t
  • Large income potential with a base plus commission starting pay structure.
  • \r\n\t
  • Personalized 1-3 month training program to pave the path to success including a mentor program with an experienced sales representative.
  • \r\n
\r\n\r\n

We are a stable, proven company with a highly successful product. Sandhills Pacific is an extension of Sandhills Publishing Company based out of Lincoln, Nebraska USA. Sandhills Publishing has been bringing together buyers and sellers in the trucking, agriculture, construction, heavy machinery, aviation, and technology industries around the world for 37 years.

\r\n\r\n

Requirements:

\r\n\r\n
    \r\n\t
  • Ability to gain knowledge of the products and customers of the Agriculture, Heavy Construction Equipment and Trucking industries
  • \r\n\t
  • Excellent oral and written communication skills
  • \r\n\t
  • Flexible and open to change
  • \r\n\t
  • Strong computer skills and knowledge
  • \r\n\t
  • Stable and progressive work history
  • \r\n\t
  • Professional appearance and demeanour
  • \r\n\t
  • Able to work independently and communicate within a team with environmental-oriented and analytical skills
  • \r\n\t
  • Ability to travel by air and ground -- OPEN driver's license required
  • \r\n
\r\n\r\n

How to Apply: Complete the online application or send a resume and cover letter to us.

", - "company": { - "name": "Sandhills Pacific", - "website": "https://au.prosple.com/graduate-employers/sandhills-pacific", - "logo": "https://connect-assets.prosple.com/cdn/ff/NWqfcUfsDDFDp3Hvw5RgbAT-Zi-JwCN-CF22eSxQTwc/1709016948/public/styles/scale_and_crop_center_80x80/public/2024-02/logo-sandhillspacific-au-450x450-2024.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/sandhills-pacific/jobs-internships/sales-trainee" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-24T01:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:21:02.984Z" - }, - "updated_at": { - "$date": "2025-01-18T08:21:02.984Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee518" - }, - "title": "Product, Strategy and Customer Experience Summer Intern Program", - "description": "
    \r\n\t
  • You’ll spend the summer experiencing life at CommBank, meeting awesome people and getting hands on with projects.
  • \r\n\t
  • Our people work flexibly. Enjoy a mix of team-time in our offices, balanced with working from home (hoodies optional).
  • \r\n\t
  • Get great work perks (think gym membership discounts and reward points to put towards your next holiday) and have loads of fun together along the way!
  • \r\n
\r\n\r\n

Do work that matters 

\r\n\r\n

You’ll bring your curiosity, customer centricity and creative mindset to the team. You’ll focus on innovating, setting the strategy for our products, and have the opportunity to support our customers wanting to build their wealth. 

\r\n\r\n

Over the course of your selected program, you’ll be provided with multiple professional development opportunities from our Campus Learning team and your Program Manager. You’ll be empowered to develop your technical skills, commercial acumen, stakeholder influencing and relationship building capabilities to set you up for success.

\r\n\r\n

See yourself in our team 

\r\n\r\n

Our Product, Strategy and Customer Experience career pathway has four programs you can choose from. 

\r\n\r\n

Business Banking – CommSec – Sydney 
\r\n
\r\nOur team of trading, product and account experts work together to provide our retail and wholesale clients with access to online broking and investment product options. You’ll develop your knowledge and expertise within the CommSec and broader Business Banking teams. 

\r\n\r\n

At the end of your program, you’ll have the chance to fast track into the Graduate Program where you’ll roll off as an Analyst across one of our CommSec teams. 

\r\n\r\n

Business Banking – Product Development – Sydney 

\r\n\r\n

You’ll experience direct exposure to the development of new propositions, in-life product lifecycle management and uplifting our customer experiences.

\r\n\r\n

At the end of your program, you’ll have the chance to fast track into the Graduate Program. From here you can transition into a challenging role as an Analyst across one of the following teams Health, Payments, Everyday Business Banking, Business Lending and Analytics, Data and Decision Science. 

\r\n\r\n

Retail Banking Services – Digital – Sydney 

\r\n\r\n

Once you complete your Summer Intern Program and join us as a Graduate, you could land a role in one of the following areas: Digital Product Ownership, Business Analysis, User Experience Design (UX), Visual Design (UI), User Experience Research, Digital Strategy, Digital Operations, Digital Risk, Digital Analytics, Organisational Change Management, Content & Publishing or Digital Journey Optimisation.

\r\n\r\n

Retail Banking Services – Retail, Product, Strategy & Distribution – Sydney 

\r\n\r\n

Teams you could land in beyond your program include Product, Strategy, Customer Insights, Payments Development, Pricing, Customer and People Experience, Communications, Business Development, Risk Management.

\r\n\r\n

Check out commbank.com.au/graduate to find out more about our pathways. 

\r\n\r\n

Join us 

\r\n\r\n

At CommBank, we’re committed to your development, career growth and training. Even if you don’t have a specific degree, your skills may align to one of our roles. We still encourage you to apply for our program. 

\r\n\r\n

If this sounds like you, and you’re - 

\r\n\r\n
    \r\n\t
  • An Australian citizen or Australian permanent resident at the time of application;
  • \r\n\t
  • A New Zealand citizen already residing in Australia, and an Australian resident for tax purposes at the time of your application;
  • \r\n\t
  • In your penultimate year of your overall university degree, or if you’re doing a double degree (in your penultimate year), and;
  • \r\n\t
  • Have achieved at least a credit average minimum in your degree’
  • \r\n
\r\n\r\n

We have a long history of supporting flexible working in its many forms so you can live your best life and do your best work. Most of our teams are in one of our office locations for at least 50% of the month while working from home the rest of the time. Speak to us about how this might work in the team you're joining. 

\r\n\r\n

Pre-register now for our Summer Intern Program!

", - "company": { - "name": "Commonwealth Bank", - "website": "https://au.prosple.com/graduate-employers/commonwealth-bank", - "logo": "https://connect-assets.prosple.com/cdn/ff/z10Hp3tnklnrSXwwcOIWrAsUSA_fU6hKij7qobpkKAU/1680051953/public/styles/scale_and_crop_center_80x80/public/2023-03/1680051937252_CBA%20Alpha%201%20Primary%20Beacon%20RGB%2050px%403x.jpg" - }, - "application_url": "https://cba.wd3.myworkdayjobs.com/Private_Ad/job/Sydney-CBD-Area/XMLNAME-2024-25-CommBank-Summer-Intern-Program-Campaign_REQ215386", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/commonwealth-bank/jobs-internships/product-strategy-and-customer-experience-summer-intern-program-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "OTHERS"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee519" - }, - "title": "Graduate Software Engineer", - "description": "

Your role

\r\n\r\n

Fivecast Graduate Software Engineers work closely with other members of the engineering team to learn how to scope, design, document, develop, integrate and test software to address end-user needs for a large web-based application.

\r\n\r\n
    \r\n\t
  • Designing, implementing, and testing software components in Java
  • \r\n\t
  • Using data storage technologies and designing data storage models e.g. Postgres, Elastic
  • \r\n\t
  • Deploying and managing applications in a cloud environment e.g. AWS
  • \r\n\t
  • Using web front-end technologies e.g. HTML, CSS
  • \r\n\t
  • Using software frameworks e.g. React, Angular and Spring
  • \r\n
\r\n\r\n

Graduate Program:

\r\n\r\n
    \r\n\t
  • Two start dates: July 2025 or the end of Nov 2025
  • \r\n\t
  • Full-time permanent positions
  • \r\n\t
  • Training & Development Program
  • \r\n\t
  • Mentor and buddy program
  • \r\n\t
  • Career framework with progression opportunities
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Requirements:

\r\n\r\n
    \r\n\t
  • Australian citizenship
  • \r\n\t
  • Completing a Bachelor of Software Engineering, Computer Science, or equivalent degree
  • \r\n\t
  • GPA 6.0/ distinction average or higher
  • \r\n\t
  • Graduating mid or the end of 2025
  • \r\n\t
  • Living in Adelaide, South Australia
  • \r\n
\r\n\r\n

Training & development

\r\n\r\n

Join Fivecast in their mission to enable a safer world and grow your career in a fast-paced, dynamic high-tech environment with a great work culture. As a growing start-up, all team members are provided with the opportunity to contribute directly to its success.

\r\n\r\n

Source

\r\n\r\n

The following sources were used in researching this page:

\r\n\r\n
    \r\n\t
  • fivecast.com/careers/
  • \r\n
", - "company": { - "name": "Fivecast", - "website": "https://au.prosple.com/graduate-employers/fivecast", - "logo": "https://connect-assets.prosple.com/cdn/ff/BbhVvBRKM4oE4NmsV4VhkCkYh6A3SFLa9BKDnFvwbms/1710914062/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-Fivecast-480x480-2024.jpg" - }, - "application_url": "https://www.fivecast.com/careers/job-vacancies/?ja-job=805600", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fivecast/jobs-internships/graduate-software-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51a" - }, - "title": "2025 Applied Scientist Intern (Computer Vision)", - "description": "Seeking current PhD students specialising in Computer Vision to apply for our 6-month internship!", - "company": { - "name": "Amazon", - "website": "https://au.gradconnection.com/employers/amazon", - "logo": "https://media.cdn.gradconnection.com/uploads/3b264496-7cc5-417a-9e47-6d3165cd01fd-3b264496-7cc5-417a-9e47-6d3165cd01fd-3b2644_KNGdcZf.png" - }, - "application_url": "https://amazon.jobs/en/jobs/2830336/2025-applied-science-intern-computer-vision-amazon-international-machine-learning", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/amazon/jobs/amazon-2025-applied-scientist-intern-computer-vision" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-02-21T12:59:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": ["Computer Science", "Information Technology", "Science"], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.597Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.597Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51b" - }, - "title": "BCG Information Sessions", - "description": "Interested in learning more? Join one of our information sessions to learn more about BCG - who we are, what we do and what it's like to work here.", - "company": { - "name": "Boston Consulting Group (BCG)", - "website": "https://au.gradconnection.com/employers/bcg", - "logo": "https://media.cdn.gradconnection.com/uploads/932334b9-742f-4f1c-82ca-de0f3eefe801-Boston_Consulting_Group_BCG-logo_CcqFqIH.png" - }, - "application_url": "https://careers.bcg.com/global/en/australia-new-zealand-associate-recruitment#:~:text=Register%20for%20one%20of%20our%20recruiting%20events.", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/bcg/jobs/boston-consulting-group-bcg-bcg-information-sessions" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-02T12:59:00.000Z" - }, - "locations": ["ACT", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Arts and Humanities", - "Business and Commerce", - "Computer Science", - "Engineering", - "Law", - "Mathematics", - "Science" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.598Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.598Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51c" - }, - "title": "Singtel Management Associate Programme", - "description": "Our two-year flagship graduate programme that is designed to nurture our next generation of leaders. Under the Singtel Management Associate Programme (MAP), you can look forward to development opportunities that can help fast-track your career.", - "company": { - "name": "Singtel Singapore", - "website": "https://au.gradconnection.com/employers/singtel-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/1bb026af-bdbb-438f-880b-733ad59d171b-128088771_singtel_logo.png" - }, - "application_url": "https://start.singtel.com/singtel-management-associate-programme", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/singtel-sg/jobs/singtel-singapore-singtel-management-associate-programme-3" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51d" - }, - "title": "Intelligence Development Program", - "description": "

The Organisation

\r\n\r\n

The Australian Security Intelligence Organisation (ASIO) protects Australia and Australians from threats to their security. In a complex, challenging and changing security environment, our success is built on the imagination and intelligence of our team. ASIO's people are ordinary Australians but they do extraordinary things – they are our most important asset. To be successful in our mission, we need talented people who are highly capable, dedicated, adaptable and resilient.

\r\n\r\n

We seek to reflect the diversity of the community we protect. ASIO is committed to fostering a diverse and inclusive environment, where all staff are valued and respected. We welcome applications from all eligible candidates, irrespective of gender, sexual orientation, ethnicity, religious affiliation, age or disability. Aboriginal and Torres Strait Islander Peoples are encouraged to apply. We are secretive about what we do, not what we value. Find out more about diversity and inclusion in ASIO.

\r\n\r\n

The Opportunity 

\r\n\r\n

Are you a detail-oriented team player, a critical thinker with excellent communication skills and good judgement? Do you have a natural curiosity and a drive to constantly seek out new information and insights? Are you seeking a diverse and rewarding career in intelligence, playing a crucial role providing advice to government on matters of national security?

\r\n\r\n

As an Intelligence Professional, you'll play a critical role in delivering accurate, relevant, and timely intelligence that supports informed decision-making.

\r\n\r\n

ASIO is seeking applications for the Intelligence Development Program (IDP) for the July 2025 and January 2026 intakes. This 12-month development program for intelligence professionals provides participants with comprehensive training in intelligence assessment, analysis and advice. Participants will develop the fundamental skills and knowledge required to undertake intelligence analysis roles in ASIO. The IDP is also the entry point for those seeking to apply their analytical skills and tradecraft to operational contexts and a career as an Intelligence Officer. 

\r\n\r\n

As an Intelligence Analyst you will have the opportunity to develop a diverse career across a range of specialised analytical areas. You will identify and investigate patterns and anomalies, draw intelligence value from large volumes of information, solve complex problems and develop subject matter expertise to make intelligence assessments and produce high quality advice. Intelligence Analysts drive ASIO's investigations and deliver impactful threat advice and assessments that inform government, national security partners and industry. 

\r\n\r\n

Following a period of employment as an Intelligence Analyst, candidates will have the opportunity apply for roles as Intelligence Officers. Intelligence Officers receive additional training to implement and extend their analytical skills and tradecraft to work in operational roles in ASIO. Intelligence Officers often meet with members of different communities to contribute to mitigating security threats, while also building ongoing confidential relationships with people to collect information to assist us in achieving our mission.  As an Intelligence Officer you will be trained in the skill of collecting and analysing complex information to produce well-considered security intelligence advice to government, and you will become adept at growing and enhancing relationships and partnerships to mitigate security threats. 

\r\n\r\n

If you enjoy working in a dynamic environment, possess curiosity and good judgement, are a critical thinker, are comfortable engaging with people from all walks of life, and you're interested in a career in intelligence and national security, we encourage you to apply.  

\r\n\r\n

A merit list may be created to fill future vacancies which has the same or similar requirements as this position. This merit pool will be valid for up to 18 months.

\r\n\r\n

Find out more about working at ASIO, go to our careers page.

\r\n\r\n

What you will bring

\r\n\r\n

You will be a highly resilient and adaptable individual with good judgement and exceptional interpersonal and communication skills. You will bring with you a diverse range of skills, qualifications and life experience. 

\r\n\r\n

Job specific qualities and capabilities for this program include: 

\r\n\r\n
    \r\n\t
  • Exceptional judgement and the ability to provide impartial advice.
  • \r\n\t
  • Ability to gather, research and analyse information to prepare written and oral     briefings.
  • \r\n\t
  • Critical thinking, complex problem solving and logical reasoning.
  • \r\n\t
  • The ability to operate independently and as part of a team.
  • \r\n\t
  • Proven ability to demonstrate personal and professional resilience and adaptability.
  • \r\n\t
  • Demonstrate high level interpersonal and verbal communication skills.
  • \r\n\t
  • Build productive relationships across ASIO and with partners.
  • \r\n\t
  • The motivation and aptitude to undertake a comprehensive 12-month development program.
  • \r\n
\r\n\r\n

Essential skills and qualifications

\r\n\r\n

There are no mandatory qualifications. We're looking for individuals from a diverse range of backgrounds who can demonstrate one or both of the following:

\r\n\r\n
    \r\n\t
  • Completion of a formal tertiary qualification from any discipline.
  • \r\n\t
  • In the absence of a tertiary qualification, evidence of your employment history that demonstrates work and life experience commensurate with a formal qualification.
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n
    \r\n\t
  • Significant training and development as part of a 12-month development program which includes extensive on-the-job, in-class and online training.
  • \r\n\t
  • A competitive salary, including a 7.5 percent allowance for maintaining a Positive Vetting security clearance.
  • \r\n\t
  • Employer superannuation contributions of 15.4 per cent.
  • \r\n\t
  • Flexible working arrangements on completion of the program to assist you to maintain your work-life balance (due to our unique working environment, work from home options are not available). Please note the development program offers less flexibility over the 12 months.
  • \r\n\t
  • Access to diverse and unique career pathways as an Intelligence Professional.
  • \r\n\t
  • A variety of leave options, including 4 weeks annual leave to ensure your work-life balance.
  • \r\n\t
  • Study assistance, including financial support and study leave for tertiary education.
  • \r\n\t
  • Access to 7 staff-led diversity and inclusion networks.
  • \r\n\t
  • Access to an Employee Assistance Program (EAP).
  • \r\n
\r\n\r\n

Eligibility 

\r\n\r\n

To be eligible for the role, you must be: 

\r\n\r\n
    \r\n\t
  • An Australian citizen.
  • \r\n\t
  • Assessed as suitable to hold and maintain a Positive Vetting security clearance.
  • \r\n
\r\n\r\n

Intelligence Officers must hold a current Australian driver's licence (some roles may require a Class C licence) when commencing operational training. This is not a requirement to enter the Intelligence Development Program.

\r\n\r\n

Reasonable adjustments

\r\n\r\n

Please advise us if you require any additional assistance in order to fully participate in the recruitment process or the workplace.

\r\n\r\n

Location

\r\n\r\n

Applicants must be willing to relocate to Canberra. Relocation assistance is provided to successful candidates where ASIO requires you to relocate. 

\r\n\r\n

This framework outlines the capabilities and skills required for ASIO's workforce (see below):

\r\n\r\n
    \r\n\t
  • Strategic Thinking.
  • \r\n\t
  • Achieves Results.
  • \r\n\t
  • Productive Working Relationships.
  • \r\n\t
  • Personal Drive and Integrity.
  • \r\n\t
  • Communicates with Influence.
  • \r\n\t
  • Demonstrated skills and experience relevant to the role.
  • \r\n
\r\n\r\n

Please note that it is not necessary to address each of the capability criteria individually in your application; however, applicants are encouraged to review the ASIO People Capability Framework prior to submitting their application, as these capabilities will be assessed at various stages in the selection process.

\r\n\r\n

Employment conditions

\r\n\r\n

Employment is under the Australian Security Intelligence Organisation Act 1979. Conditions of service are similar to those applying in the Australian Public Service. We recognise entitlements accrued under the Public Service Act 1999 and provide for continuation of superannuation under the Commonwealth schemes. Salary packaging arrangements are also available.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Australian Security Intelligence Organisation", - "website": "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio", - "logo": "https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg" - }, - "application_url": "https://www.asio.gov.au/careers", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/australian-security-intelligence-organisation-asio/jobs-internships/intelligence-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-13T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51e" - }, - "title": "Protege Developer", - "description": "

MYOB's Graduate Program – The Future Maker's Academy

\r\n\r\n

We're looking for our next generation of software developers to join us in February 2026 in Melbourne Join us as a full-time permanent employee, compensated at a market related salary.

\r\n\r\n

Our program is all about bringing people from diverse backgrounds together to build meaningful software for our customers. With a big focus on mastery of craft, our program offers a learning culture that sets the foundations for aspiring software developers. Plus, it’s not only about writing code, it's about having a growth mindset, collaboration and your inquisitive nature to adopt, develop and grow.

\r\n\r\n

Start in our Future Maker's Academy on a guided learning journey where you'll be supported by a dedicated mentor and learning buddy, with the purpose of accelerating your coding capability at a foundational level. Under their guidance, you’ll work through a series of complex problems designed to identify and stretch your core skills. This will be followed by working in tech teams (rotations) solving real problems for our customers.

\r\n\r\n

By the time you progress out of the academy, you’ll be a fully fledged Associate Developer. Having developed the technical and human-centric skills we know are key for a long and successful career as a software professional at MYOB and beyond. 

\r\n\r\n

Who are you - what are we looking for?

\r\n\r\n
    \r\n\t
  • Passionate problem solvers.
  • \r\n\t
  • Curious minds and those who want to know why things work the way they do.
  • \r\n\t
  • You are a humble, supportive individual who is hungry to learn.
  • \r\n\t
  • You've coded! (University Computer Science Degree or alike, Coding Boot Camp or self-taught to a semi-professional level).
  • \r\n
\r\n\r\n

Imagine you had the skills to create intelligent and intuitive tools to help more businesses start, survive and succeed. We help make business life a whole lot easier for countless people across Australia and New Zealand. This is exactly what we do at MYOB, and we want you to join us in The Future Makers Academy. 

\r\n\r\n

To make all this happen, we are dedicated in creating an exceptional flexible employee experience for all team members and offer a culture where you can be yourself. We don’t want you to simply ‘fit’ into our already established culture, we want you to come and add to it, and make it even better!

\r\n\r\n

We are an equal-opportunity employer and value diversity at our company.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "MYOB", - "website": "https://au.prosple.com/graduate-employers/myob", - "logo": "https://connect-assets.prosple.com/cdn/ff/QwaxXnNqSLd4quvZBjavcVph5unaYormVbveyK1nJak/1568171303/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-myob-120x120-2019.jpg" - }, - "application_url": "https://jobs.lever.co/myob-2/d5339cf5-30d0-40cc-b390-de09159acc9b", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/myob/jobs-internships/protege-developer-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-29T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee51f" - }, - "title": "Summer Internship", - "description": "

As an evolvement of our renowned Global INKOMPASS program, this internship at PMI centres on self-discovery, allowing you to show what you are capable of within a business setting. You will be given a current real business project and the opportunity to provide input and suggest real business solutions to our senior leaders. We are looking for the future leaders of our organisation. 

\r\n\r\n

We will provide you with training and development that help build your professional, technical and personal skills to take your career to the next level.

\r\n\r\n

We are looking for entrepreneurial, creative, curious interns to join the PMI team on a Full-Time basis for 6 weeks - Whether that be First-year students (studying a 3-year degree), Second-year students (studying a 4-year degree) or university students in their penultimate year. 

\r\n\r\n

This internship is open to students across all year levels at Australian universities.

\r\n\r\n

We encourage students from any academic discipline to apply – you will have the opportunity to thrive in areas you never considered possible.

\r\n\r\n

The Summer Internship runs for 6 weeks, full-time, from Early January 2026 - Mid February 2026 and is based in South Wharf, Melbourne.

\r\n\r\n

If selected for the next stage, you will be invited to attend an in-person assessment centre* in Melbourne in Late September 2025.  

\r\n\r\n

*If you are based outside of Melbourne, you will be responsible to organise the travel to and from the assessment centre along with accommodation if required.

", - "company": { - "name": "Philip Morris Australia", - "website": "https://au.prosple.com/graduate-employers/philip-morris-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/IsqWuyySvl0eVhDgxGLsIPTxZyB4rjIyGtmVoKl1A6Q/1656020680/public/styles/scale_and_crop_center_80x80/public/2022-06/logo-pmi-480x480-2022.png" - }, - "application_url": "https://pmi.avature.net/InKompass/JobDetail/Australia-Philip-Morris-Australia-Summer-Internship-2022-23/57089", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/philip-morris-australia/jobs-internships/summer-internship-1" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-16T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee520" - }, - "title": "Graduate Associates (Consulting)", - "description": "

About Boston Consulting Group (BCG)

\r\n\r\n

Boston Consulting Group is a global consulting firm that partners with leaders in business and society to tackle their most significant challenges and capture their greatest opportunities. Their success depends on a spirit of deep collaboration and a global community of diverse individuals determined to make the world and each other better every day.

\r\n\r\n

Your role

\r\n\r\n

As a member of the BCG consulting team, you’ll work alongside some of the world’s top minds on cases that reshape business, government, and society. You’ll collaborate on challenging projects with team members from many backgrounds and disciplines, increasing your understanding of complex business problems from diverse perspectives and developing new skills and experience to help you at every stage of your career—at BCG and beyond.

\r\n\r\n

Consulting work is varied and rigorous, much of it performed at BCG client sites. Projects can vary in length, size, and location, depending on the client’s challenge. Because BCG clients operate all over the world, you may travel internationally. 

\r\n\r\n

What it's like to work at BCG with a consulting career? Check out our website: https://careers.bcg.com/global/en/work-at-bcg

\r\n\r\n

About you

\r\n\r\n

If you’re in your final year (or already completed your studies within the last 3 years), and ready to launch your career with BCG, this program is for you! They are looking for graduates with academic backgrounds across numerous disciplines, from business to humanities to science and more.

\r\n\r\n

Your online application should include your CV, cover letter, and academic transcripts uploaded as one document. They want to get to know you, so please make sure you have information in your cover letter and CV about things you're passionate about and why BCG is a great career fit for you. As a guide, they'd like to see details about:

\r\n\r\n
    \r\n\t
  • Any work experience that you have had. They are seeking motivated individuals who can showcase a strong career trajectory and a high level of impact in the roles they have held – including retail, hospitality, or internships.
  • \r\n\t
  • Your extra-curricular activities, whether on campus or outside of university life. Have you played sports extensively, or are you involved in a hobby that takes up a lot of your time? They look for individuals who demonstrate impact and legacy, significant contribution, and high levels of commitment, initiative, and responsibility.
  • \r\n\t
  • Your academic credentials. For Associate applications, you should be in your final year of undergraduate or postgraduate studies or have already graduated from a degree with no more than 1-3 years of work experience. For the Scholarship Program, you must be in the penultimate year of your undergraduate studies (or Master's degree, excluding MBA). Please include details of prizes or scholarships you've attained.
  • \r\n\t
  • Australian/New Zealand citizenship or permanent residency.
  • \r\n
\r\n\r\n

How to apply

\r\n\r\n

To apply for this role, simply click the \"Apply on employer site\" button on this page to submit your application directly to Boston Consulting Group.

", - "company": { - "name": "Boston Consulting Group Australia", - "website": "https://au.prosple.com/graduate-employers/boston-consulting-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/7s4cf1R0yfNmImdrhAhRpZ_-sqLzo55o7kZJgxMEOZM/1568688519/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-bcg-120x120-2019.jpg" - }, - "application_url": "https://careers.bcg.com/australia-new-zealand-associate-recruitment", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/boston-consulting-group-australia/jobs-internships/consulting-graduate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-06T01:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "VIC", "WA", "OTHERS"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:59.957Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:59.957Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee521" - }, - "title": "Associate, Debt Capital Markets (DCM) & Syndicate", - "description": "The Debt Capital Markets, Syndicate and Solutions (DCMS&S) is looking for outstanding individuals who have graduated recently (less than 2 years ago) to join the team as a full time associate in 2025!", - "company": { - "name": "Westpac Group", - "website": "https://au.gradconnection.com/employers/westpac", - "logo": "https://media.cdn.gradconnection.com/uploads/df96ebc2-59d1-421b-99cd-a6121a6b775b-Westpac_Group-logo.png" - }, - "application_url": "https://www.hatch.team/role/role_47050?utm_campaign=Role+published&utm_content=Your+role+is+live&utm_medium=email_action&utm_source=customer.io", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/westpac/jobs/westpac-group-associate-debt-capital-markets-dcm-syndicate" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-20T12:59:00.000Z" - }, - "locations": ["NSW"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Exercise Physiology", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Health", - "Health Policy, Promotion and Administration", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Medicine", - "Mining Oil and Gas", - "Nursing and Midwifery", - "Operations", - "Pharmacy and Pharmacology", - "Physics", - "Physiotherapy, Occupational Therapy and Rehabilitation", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Psychology, Counselling and Social Work", - "Radiography and Medical Imaging", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Speech Pathology", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:27.705Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.705Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee522" - }, - "title": "Sales - Graduate Program", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:  

\r\n\r\n
    \r\n\t
  • Lead the entire sales cycle, from prospecting to closing deals.  
  • \r\n\t
  • Qualify customer needs and provide tailored software demonstrations.  
  • \r\n\t
  • Achieve sales objectives and contribute to team success.  
  • \r\n\t
  • Work primarily from our Gold Coast office, contacting diverse companies daily.  
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will possess:  

\r\n\r\n
    \r\n\t
  • A passion for software products and fluency in English.  
  • \r\n\t
  • Creativity, autonomy, and a strong desire to learn.  
  • \r\n\t
  • Valid working rights in Australia without restrictions.  
  • \r\n\t
  • Availability to work full-time on weekdays.  
  • \r\n\t
  • Previous experience in a similar role and additional languages are advantageous.  
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy a full-time position with an attractive salary package. Benefit from a friendly, open culture with no rigid working hours and real responsibilities.  

\r\n\r\n

Training & development

\r\n\r\n

Receive comprehensive training and on-the-job support, with 12 days of training per year, including 6 days of your choice.  

\r\n\r\n

Career progression

\r\n\r\n

This role offers the potential for long-term career growth within Odoo, allowing you to expand your knowledge and expertise in various business industries.  

\r\n\r\n

How to apply

\r\n\r\n

Submit your application, ensuring you meet the qualifications and are ready to embark on an exciting career in tech sales with Odoo.

", - "company": { - "name": "Odoo", - "website": "https://au.prosple.com/graduate-employers/odoo", - "logo": "https://connect-assets.prosple.com/cdn/ff/uH2ttk9ilEhx4pSdGnFniQB3N7ePPoKdNVEbfqLy2TM/1652870388/public/styles/scale_and_crop_center_80x80/public/2022-05/logo%20-Odoo%20-%20480x480-2022.png" - }, - "application_url": "https://www.odoo.com/jobs/sales-graduate-program-australia-1234", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/odoo/jobs-internships/sales-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Business & Management", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee523" - }, - "title": "Analyst", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Gain expertise in derivative products and markets, focusing on pre- and post-trade activities.
  • \r\n\t
  • Structure and model derivative transactions.
  • \r\n\t
  • Prepare and review transaction documents for execution and compliance.
  • \r\n\t
  • Assist with client and market research, and prepare client deliverables.
  • \r\n\t
  • Support deal managers in structuring, pricing, and executing transactions.
  • \r\n\t
  • Conduct quantitative and qualitative analyses of client exposures.
  • \r\n\t
  • Onboard clients' financial portfolios into the technology platform.
  • \r\n\t
  • Organize contracts and support consulting engagements.
  • \r\n\t
  • Support independent debt valuation models and reporting.
  • \r\n\t
  • Conduct market research and prepare client presentations.
  • \r\n\t
  • Assist in preparing month-end accounting deliverables for clients.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • An ATAR ranking of 95 or more, with at least two Mathematics subjects.
  • \r\n\t
  • A Bachelor's degree from an accredited institution; a finance degree is not required but quantitative aptitude is important.
  • \r\n\t
  • Ability to work with large data sets and understand causal relationships.
  • \r\n\t
  • Strong verbal and written communication skills.
  • \r\n\t
  • Ability to manage complex projects in dynamic environments.
  • \r\n\t
  • Fluent English; additional languages are a plus.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Competitive salary with potential bonuses, comprehensive healthcare, and other perks.

\r\n\r\n

Training & development

\r\n\r\n

Chatham offers professional development opportunities, including training and apprenticeship programs, to help you grow in your career.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement are available, with the potential to take on greater responsibilities and impact within the company.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application by providing your resume and cover letter, detailing your qualifications and interest in the role.

", - "company": { - "name": "Chatham Financial", - "website": "https://au.prosple.com/graduate-employers/chatham-financial", - "logo": "https://connect-assets.prosple.com/cdn/ff/1hyD4rqCPTPsjIO0SORTwwX9Fk51m7FdAnubholAGfY/1650486632/public/styles/scale_and_crop_center_80x80/public/2022-04/1566565993951.jpg" - }, - "application_url": "https://www.chathamfinancial.com/careers/jobs/analyst-6413047", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/chatham-financial/jobs-internships/analyst" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee524" - }, - "title": "Graduate Software Developer - IT", - "description": "

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Work in a cross-functional team to deliver new features and enhancements.
  • \r\n\t
  • Engage in all phases of the software development lifecycle, including requirements analysis, development, testing, and deployment.
  • \r\n\t
  • Provide constructive feedback in code reviews.
  • \r\n\t
  • Participate in agile ceremonies such as daily stand-ups and sprint retrospectives.
  • \r\n\t
  • Support business advancement through projects and operations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will:

\r\n\r\n
    \r\n\t
  • Hold an undergraduate degree in information technology, mathematics, computer science, or engineering.
  • \r\n\t
  • Demonstrate a strong hands-on attitude towards learning new concepts.
  • \r\n\t
  • Be proactive planners and communicators, with strong problem-solving skills.
  • \r\n\t
  • Be a team player and have a desire to work as part of a high-performing team.
  • \r\n\t
  • Have experience with Java, Angular, SQL, and Git.
  • \r\n\t
  • Possess some professional experience through internships or volunteering (desired but not essential).
  • \r\n
\r\n\r\n

Benefits

\r\n\r\n

Enjoy stability with over 50 years of experience, backed by major insurers CGU and Vero. Access discounts at over 350 retailers across Australia and apply for flexible working arrangements.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from continuous training and mentoring from a multi-faceted team, gaining experience in a professional software delivery environment.

\r\n\r\n

Career progression

\r\n\r\n

Expect growth opportunities within NTI, with potential for career advancement as you develop your skills and expertise in the industry.

\r\n\r\n

How to apply

\r\n\r\n

Submit your application with a resume and cover letter explaining your interest in joining the Graduate team. The process may include phone and face-to-face interviews, along with qualification and reference checks.

", - "company": { - "name": "NTI Australia", - "website": "https://au.prosple.com/graduate-employers/nti-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/UcuwiXglN4NqVAWpiPJTBcHZynplGZycESxrSTlTxUE/1702534602/public/styles/scale_and_crop_center_80x80/public/2023-12/logo-NTI-australia-450x450-2023.png" - }, - "application_url": "https://www.nti.com.au/about/careers-at-nti/vacancies/graduate-software-developer-it", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nti-australia/jobs-internships/graduate-software-developer-it" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee525" - }, - "title": "Summer Intern Program – Financial Markets", - "description": "

Start your career with an organisation that celebrates a diverse and inclusive workplace, where we thrive on the different perspectives and life experiences of our people. Build your employability, develop your skills, and expand your professional network to create an inspiring career. Our Financial Markets Summer Intern Program is a 4-week program designed specifically to back you in this early stage of your career. You’ll experience a dynamic work environment and be supported with learning sessions, networking with senior leaders, trading simulation games and a dedicated support network. This highly bespoke program is an investment into your future career as a financial markets specialist.

\r\n\r\n
    \r\n\t
  • Be empowered to make a positive difference for our customers and communities.
  • \r\n\t
  • Join an organisation where you’re given the opportunity to learn, grow and achieve.
  • \r\n\t
  • Discover what it’s like to learn and work at one of Australia’s largest and most successful financial institutions.
  • \r\n
\r\n\r\n

Join our Financial Markets team…

\r\n\r\n

We use sales, trading and research expertise to provide local and offshore customers with access to both traded and illiquid markets, including fixed income, money markets, credit, derivatives, currencies and commodities. We trade between all types of banks, superannuation funds and both domestic and multinational companies.

\r\n\r\n

Our business covers every segment of the corporate and investor markets, from global supranational through to high-net-worth customers looking to build their investment portfolio.

\r\n\r\n

This program stream is held in Sydney. 

\r\n\r\n

In this role, you will

\r\n\r\n
    \r\n\t
  • Drive your passion for financial markets and desire to build your career in areas like trading, sales, economic or quantitative research.
  • \r\n\t
  • Identify and ability to solve quantitative problems.
  • \r\n\t
  • Ability to work with code to find solutions.
  • \r\n\t
  • Demonstrate your great communication and interpersonal skills.
  • \r\n
\r\n\r\n

What you’ll bring:

\r\n\r\n
    \r\n\t
  • Passionate about sharing creative and innovate ideas.
  • \r\n\t
  • Lover of complex problem solving.
  • \r\n\t
  • Strong attention to detail.
  • \r\n\t
  • Curious and not afraid to challenge the status quo.
  • \r\n\t
  • Genuine enthusiasm to make a difference.
  • \r\n\t
  • Exceptional communication skills.
  • \r\n
\r\n\r\n

Key Financial Markets Summer Intern Program dates…

\r\n\r\n

Our program commences between 24 November – 19 December 2025, and during this period you’ll need to be available for full time employment.

\r\n\r\n

 A diverse and inclusive workplace works better for everyone

\r\n\r\n

We know that our people make us who we are. That's why we have built a culture of equity and respect – where everyone feels valued and appreciated for being their authentic selves. In partnership with our multiple Employee Resource Groups (ERGs) we continue to foster an inclusive environment, where all NAB colleagues’ unique backgrounds and identities are understood, respected and celebrated.  We are committed to providing an environment where you can work your way. 

\r\n\r\n

If you are one of more than 4 million people living with disability in Australia and require adjustments throughout our recruitment process to be at your best, please let us know in your online application.

\r\n\r\n

For details on our recruitment process, please visit our Overview > Recruitment Process section.

\r\n\r\n

Join NAB

\r\n\r\n

If you think this role is the right fit for you, we would love to hear from you. 

\r\n\r\n

To be eligible for our Summer Intern Program you MUST:

\r\n\r\n
    \r\n\t
  • Be an Australian or New Zealand citizen or an Australian Permanent Resident at the time of submitting your application.
  • \r\n\t
  • Be in your penultimate (second last) year of your undergraduate/postgraduate degree and free to commence full time employment by end of November 2025.
  • \r\n\t
  • Commit to and be available for full time employment over the 4-week program.
  • \r\n\t
  • Complete the online application and if successful you’ll progress to an online assessment, video interview and engagement centre. Engagement centres are held by stream and will be held in person. 
  • \r\n
", - "company": { - "name": "NAB Australia", - "website": "https://au.prosple.com/graduate-employers/nab-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/w0PGVWR1sp6dxvJ9UirqkHWF8axtfJnRJqvP_Tx9ifQ/1668056292/public/styles/scale_and_crop_center_80x80/public/2022-11/1668056247371_NAB%20Brandmark.jpg" - }, - "application_url": "https://2025financialmarketssummerinternprogramexpressionofint-nab.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/nab-australia/jobs-internships/summer-intern-program-financial-markets-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-08-10T13:45:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee526" - }, - "title": "Data, Strategy & Analytics Graduate", - "description": "

What our Program offers:  

\r\n\r\n
    \r\n\t
  • A permanent full-time opportunity
  • \r\n\t
  • A 12-month program that includes three, four-month rotations within a broad and dynamic organisation
  • \r\n\t
  • RACV Ranked #30 in Grad Australia’s Top 100 Graduate Programs 2024
  • \r\n\t
  • Support network of mentors, buddies and a dedicated graduate program manager
  • \r\n\t
  • 7-part Graduate Learning Series designed to help build your network and acclimatise to corporate life
  • \r\n\t
  • Exposure to Senior Leaders through “meet & greet” sessions tailored specifically for the graduate program
  • \r\n\t
  • A capstone project where you will get to work with other graduates on a business problem and present your recommendations to senior leaders
  • \r\n
\r\n\r\n

About the opportunity   

\r\n\r\n

Commencing in January 2026, our Data, Strategy and Analytics stream is designed to provide a breadth of experience across diverse areas such as data engineering, strategy & insight, data science, artificial intelligence, enterprise reporting and 1-to-1 marketing automation. 

\r\n\r\n

This is a permanent full-time opportunity, following completion of the 12-month graduate program with three rotations across various parts of our department, rotations may include exposure to the following teams and technologies:

\r\n\r\n
    \r\n\t
  • Data Engineering (SQL server, Azure Data Factory, Data Lake)
  • \r\n\t
  • Data Governance & Quality (Collibra, Experian)
  • \r\n\t
  • Business Intelligence & Reporting (Tableau)
  • \r\n\t
  • Strategy & Insights (including Artificial Intelligence experimentation)
  • \r\n\t
  • Data Science (Azure machine learning)
  • \r\n\t
  • 1-to-1 marketing automation (Salesforce Marketing Cloud, Ad Studio)
  • \r\n
\r\n\r\n

As part of a team of around 50 data professionals using the latest cloud-based technologies, you’ll manage and contribute to significant and meaningful projects whilst expanding your skills, challenging yourself and taking momentous steps in building your career in data and analytics. You will be supported through a structured learning and development program, formal rotations, mentor programs, various on-the-job activities and more!  

\r\n\r\n

What you’ll need to be successful   

\r\n\r\n

At RACV, we understand that everyone is unique and has a different background. To be considered for our program you will need:

\r\n\r\n
    \r\n\t
  • Bachelor’s Degree in science, computing mathematics or similar
  • \r\n\t
  • Completed studies within the last 2 years
  • \r\n\t
  • Strong numerical literacy with a passion for shaping and using data
  • \r\n\t
  • Curious and eager to learn and grow with the business
  • \r\n\t
  • Previous work experience in a similar field is advantageous but not a necessity
  • \r\n\t
  • Passion for shaping how artificial intelligence can be used to improve outcomes for customers and the business
  • \r\n
\r\n\r\n

Exposure to some technical platforms, programming languages (SQL) and techniques (data manipulation such as data science) is highly advantageous. 

\r\n\r\n

Great things start here 

\r\n\r\n

Join RACV and become part of a purpose-driven organisation. Help us make an impact and improve lives in the areas of home, energy, motoring & mobility, and leisure, while shaping your own future.  

\r\n\r\n

Be inspired by a team who backs each other, with policies that support you, and benefits you’ll use.  We’re proud to offer the kind of opportunities only a diverse business can provide. That’s why the best is always yet to come at RACV.  

\r\n\r\n

The RACV difference   

\r\n\r\n

Curious about where this role could take you? At RACV, we leave that up to you. Explore endless opportunities, find unexpected pathways, set long-term goals, and grow your career in more ways than one.

\r\n\r\n

Application process   

\r\n\r\n

As part of the application process, please include your resume, a brief cover letter and your preferred program stream.  

\r\n\r\n

RACV will consider reasonable adjustments during the application and/or hiring process to provide equal opportunity for applicants. Should you require reasonable adjustments during these processes, please email us at graduates@racv.com.au

\r\n\r\n

Please note that that reasonable adjustments required due to any medical conditions (including disabilities, illness, and work-related injuries) that you may have that impact your ability to undertake the inherent requirements of the role being applied for, as set out in the position description, must be provided to and considered by RACV, separate from any reasonable adjustments sought during the application and/or hiring process.

\r\n\r\n

Applicants will be required to provide evidence of their eligibility to work in Australia, and at a minimum be required to undertake police checks as a condition of employment.

", - "company": { - "name": "RACV", - "website": "https://au.prosple.com/graduate-employers/racv", - "logo": "https://connect-assets.prosple.com/cdn/ff/b-vpJ19FYQKiMCOgWBun4JUoc6JD3JqiXCzpyHQMsCo/1647600464/public/styles/scale_and_crop_center_80x80/public/2022-03/logo-racv-480x480-2022.jpg" - }, - "application_url": "https://careers.racv.com.au/job/485-Bourke-Street-Melbourne-Graduate-Data%2C-Strategy-&-Analytics/1052738866/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/racv/jobs-internships/data-strategy-analytics-graduate-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-14T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:51.472Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.472Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee527" - }, - "title": "Graduate Technical Support/Operations Engineer, Video Arch", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul, Tokyo and Sydney.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

We are looking for talented individuals to join us in 2025. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

About the Team

\r\n\r\n

Video Arch is one of the world's leading video platforms that provides media storage, delivery, transcoding, and streaming services. We are building the next generation video processing platform and the largest live streaming network, which provides excellent experiences for billions of users around the world. Popular video products of TikTok and its affiliates are all empowered by our cutting-edge cloud technologies. Working in this team, you will have the opportunity to tackle challenges of large-scale networks all over the world, while leveraging your expertise in coding, algorithms, complexity analysis, and large-scale system design.

\r\n\r\n

What you will be doing

\r\n\r\n
    \r\n\t
  • Collaborate with developers to resolve issues encountered during the integration of video cloud services and address quality concerns that arise in the production service process.
  • \r\n\t
  • Manage suppliers' demands, identify and address integration issues, promote the development and optimization of technical specifications, and minimize service-related problems.
  • \r\n\t
  • Demonstrate overall awareness and contribute to the establishment of a Quality Service (QS) evaluation system. Improve problem-handling efficiency and effectively promote the resolution of quality and efficiency issues throughout the research and development process.
  • \r\n\t
  • Organize structured learning points and consolidate the developer handbook to create a shared knowledge base for the solution team.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Information Technology, Software Development, Computer Science, Computer Engineering, or a related technical discipline.
  • \r\n\t
  • Solid foundation in computer science fundamentals and software design patterns
  • \r\n\t
  • Excellent data analytical skills and experience in data collation
  • \r\n\t
  • Familiarity with networking fundamentals and protocols (e.g., TCP/IP, HTTP/HTTPS)
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Knowledge of audio and video multimedia protocols
  • \r\n\t
  • Understanding of Content Delivery Networks (CDNs) and distribution acceleration technologies
  • \r\n\t
  • Familiarity with Real-Time Communication (RTC) technologies
  • \r\n\t
  • Self-driven and keen interest in continuous learning and professional development
  • \r\n\t
  • Strong logical thinking abilities, prior experience with data-related tools and issue identification abilities
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7264422066052516151?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-technical-supportoperations-engineer-video-arch" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee528" - }, - "title": "Graduate JavaScript Developer", - "description": "

Your role

\r\n\r\n

Key responsibilities as follows:  

\r\n\r\n
    \r\n\t
  • Assist in developing and implementing web-based eCommerce systems.
  • \r\n\t
  • Utilize full-stack JavaScript solutions and serverless architecture.
  • \r\n\t
  • Collaborate with an experienced team for project execution.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

Ideal candidates will have:  

\r\n\r\n
    \r\n\t
  • Strong communication skills and a technical mindset.  
  • \r\n\t
  • Reliability, self-motivation, and excellent time management.  
  • \r\n\t
  • Passion for web development and interest in Open Source Software and Linux.  
  • \r\n\t
  • Proficiency in JavaScript, NodeJS, Linux (Debian/Ubuntu), SQL, and NoSQL databases.  
  • \r\n\t
  • Familiarity with TypeScript, JavaScript libraries (Vue, Knockout, React), Docker, Kubernetes, cloud services (AWS, Google Cloud, Azure), Nginx, Apache, PHP, Magento, MySQL, PostgreSQL, DynamoDB, MongoDB, and IDEs like VS Code, PhpStorm, Eclipse.  
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Starting salary of AUD 60,000 per annum plus superannuation. Enjoy a casual dress code, a fun working environment, and a Melbourne CBD location with easy public transport access. End-of-week catered lunch and drinks are provided.

\r\n\r\n

Training & development

\r\n\r\n

Opportunities for learning and growth within an experienced team, with access to progressive tools and technologies.

\r\n\r\n

Career progression

\r\n\r\n

Potential for career advancement as skills and experience grow, with opportunities to take on more complex projects and responsibilities.

\r\n\r\n

Report this job

", - "company": { - "name": "Fontis Australia", - "website": "https://au.prosple.com/graduate-employers/fontis-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/zL63PTQoWvIZ3J4LXRhtWlR7yCYHayOnjhsUsYfDjsc/1736429716/public/styles/scale_and_crop_center_80x80/public/2025-01/logo-fontis-AU-450x450-2024%20%281%29.png" - }, - "application_url": "https://careers.fontis.com.au/o/graduate-javascript-developer", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fontis-australia/jobs-internships/graduate-javascript-developer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:37.314Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:37.314Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee529" - }, - "title": "Human-Centred Design (HCD) - Digital Graduate Program", - "description": "

About you

\r\n\r\n

We need graduates with a willingness to learn and a good attitude. Our graduates contribute greatly to the Queensland Government, we really don't know what we would do without you! Our graduates contribute to projects, programs, initiatives and ongoing business that keeps Queensland communities safe, healthy, happy and prospering.

\r\n\r\n

We welcome candidates from all disciplines with a Bachelor's, Graduate Certificate or master in one of the following areas degrees in:

\r\n\r\n
    \r\n\t
  • Information technology, cloud computing, cyber security, computer science, data analytics, robotics, telecommunications, information management, mathematics
  • \r\n\t
  • Business, marketing, procurement
  • \r\n\t
  • Project management, law, creative industries
  • \r\n\t
  • Web and multimedia design, user experience design.
  • \r\n
\r\n\r\n

Remuneration and career growth

\r\n\r\n

As a Digital graduate, you will receive the benefits of working for the Queensland Government which include:

\r\n\r\n
    \r\n\t
  • a starting salary of $68,414 per annum
  • \r\n\t
  • up to 12.75% employer superannuation contribution
  • \r\n\t
  • 17.5% annual leave loading
  • \r\n\t
  • flexible work arrangements
  • \r\n\t
  • generous leave entitlements
  • \r\n\t
  • salary packaging options
  • \r\n\t
  • a diverse and inclusive workplace
  • \r\n\t
  • programs that support a healthy work environment
  • \r\n\t
  • a structured two-year leadership development program
  • \r\n\t
  • opportunities for mentoring, networking and career progression.
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

Our grads travel up the ladder so fast we have to stand back for fear of being run over! 87% of our grads completing our program stay on to be employed by the Queensland Government post-program.

\r\n\r\n

Our grads on average leap up to $22k or more within the 2-year program or after completing the 2-year program.

\r\n\r\n

“Thanks so much for this program – it opened up a door I didn’t expect or know existed and started a career I’m very happy with.\" 

\r\n\r\n

Kurtis - 2022 Health graduate, secured an A05 Project Officer role within 12 months on the program.

\r\n\r\n

What you’ll be doing

\r\n\r\n

Human-centred design (HCD) is an approach to problem-solving that places the needs of people at the centre of the process. For government, these people are all of us, the people of Queensland. HCD involves people in all stages of the process—from gathering insights, to exploring many ideas through testing and refining possible solutions, to the evaluation of the effectiveness of the outcome. The HCD graduate will support agencies to integrate and uplift HCD project planning, training activities and implementation of HCD solutions.

\r\n\r\n

Responsibilities

\r\n\r\n

Responsibilities in a HCD role may include:

\r\n\r\n
    \r\n\t
  • assisting team members in the creation and delivery of high-quality standards for a whole-of-government HCD approach
  • \r\n\t
  • assisting with research into HCD best practice to inform the design of HCD tools, guides and training offerings
  • \r\n\t
  • completing research to assist in the creation of Queensland Government specific HCD case studies to build HCD awareness and capability
  • \r\n\t
  • participating in service design workshops for user experiences for responsive web, apps or other digital interfaces
  • \r\n\t
  • translating ideas and concepts into user flows, mock-up prototypes, style guides
  • \r\n\t
  • organising events to support a capability uplift in HCD for staff across the Queensland Public Sector
  • \r\n\t
  • assisting with the coordination of HCD training courses including planning, enrolments, promotion, setting up, surveying participants collating and reporting data
  • \r\n\t
  • supporting HCD projects including planning, stakeholder engagement sessions and idea development
  • \r\n\t
  • contributing to and representing the team with a positive and professional working culture across government and within industry networks
  • \r\n\t
  • communicating with key stakeholders regarding HCD initiatives, to reach mutually successful outcomes
  • \r\n\t
  • creating content for social media and news channels.
  • \r\n
\r\n\r\n

Ideal candidates

\r\n\r\n

Ideal candidates for a HCD role will have:

\r\n\r\n
    \r\n\t
  • a high level of interpersonal and liaison skills
  • \r\n\t
  • have empathy and the ability to be innovative and deliver ideas
  • \r\n\t
  • strong organisational skills and problem-solving skills
  • \r\n\t
  • ability to analyse and collate information
  • \r\n\t
  • effective communication and time management skills
  • \r\n\t
  • strong project management skills an ability to produce detailed and accurate work including high level writing skills.
  • \r\n
\r\n\r\n

Technical skills and qualifications

\r\n\r\n

Understanding of:

\r\n\r\n
    \r\n\t
  • HCD methodologies and modern research techniques
  • \r\n\t
  • government writing styles
  • \r\n\t
  • agile working approach
  • \r\n\t
  • research forums and information sharing.
  • \r\n
\r\n\r\n

Your degree may be in design thinking, UX, information management, user-centred design, law, business and Information technology..

\r\n\r\n

Eligible and who can apply?

\r\n\r\n

The Queensland Government is a proud employer of a diverse range of people. We need people from all walks of life to create a vibrant, diverse workplace and ultimately make our work shine. 

\r\n\r\n

We encourage women, people with disability, Aboriginal and Torres Strait Islander peoples, the LGBTIQA+ community, people from culturally and linguistically diverse backgrounds, and mature-age Queenslanders to apply. 

\r\n\r\n

It’s not just technical IT, we’re looking for graduates in all aspects of IT development, customer service, design, and delivery of services to Queenslanders.

\r\n\r\n

The program is pleased to announce that applications will open to include international students living in Australia who have unrestricted working rights under the Commonwealth Law
\r\n
\r\nTo be eligible for our program, you need to have graduated mid-2025 or by December 2025, or your qualifications are no older than three (3) years old and we are seeking your specific qualifications, we want you! 

\r\n\r\n

Eligibility for international student or graduate eligible to work without restriction in Australia until at least March 2028

\r\n\r\n
    \r\n\t
  • you will need to have completed your qualifications between January 2022 and June 2025
  • \r\n\t
  • provide evidence of visa entitlements that reflect full working rights in Australia - this includes bridging visa for full working rights visa and completion of your degree no later than June 2025.
  • \r\n\t
  • More information regarding eligibility is on our website - https://www.qld.gov.au/jobs/career/digital-careers/digital-jobs/digital-graduate-program/how-to-apply
  • \r\n
\r\n\r\n

If you have overseas qualifications, you will need to seek to have them recognised in Australia prior to applying. 
\r\nCheck internationaleducation.gov.au/services-and-resources/pages/qualifications-recognition.aspx to view the process.

\r\n\r\n

You need to have completed a bachelor's degree in IT or a related field within the last 3 years or will finish by mid to end 2025 to be eligible for the start of the program in March 2026 or sooner if requested by agency.

\r\n\r\n

Interstate applicants should be made aware that positions offered are within Queensland Government, therefore relocation to Brisbane is mandatory. Interstate applicants are encouraged to apply, however, it is up to the successful graduate to arrange relocation and cover any moving costs involved. It is not the responsibility of the program, nor the home agency for graduate relocation. 

\r\n\r\n

You must be available to start work by March 2026 or sooner if requested by the agency. 

", - "company": { - "name": "Queensland Government Digital Graduate Program", - "website": "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program", - "logo": "https://connect-assets.prosple.com/cdn/ff/aVPhsghhr67Dg0-qfXMW3Ipd1o3_2WI8QgyOpAKyMiM/1693444784/public/styles/scale_and_crop_center_80x80/public/2023-08/logo-queensland-department-of-communities-housing-and-digital-economy-480x480-2023.jpg" - }, - "application_url": "https://www.gradsiftextra.com.au/homepage/27/98066072/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-government-digital-graduate-program/jobs-internships/human-centred-design-hcd-digital-graduate-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-07-31T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52a" - }, - "title": "DevelopHer Scholarship", - "description": "

MYOB's DevelopHer aims to bridge both the diversity and skills gap by helping more women launch their careers in software development. MYOB's commitment to this is through DevelopHer: a scholarship aimed at women (or those that identify) with zero to little software development experience*

\r\n\r\n

DevelopHer is a paid scholarship at RMIT - while you study (July - February) we offer you a supporting salary too. Once you successfully pass RMIT, you will be transferred to a Protege Developer in our Future Makers Academy with further learning to become as Associate Developer.  With supportive mentors and a learning environment that will help women thrive, it's a great beginning to a long lasting career.

\r\n\r\n

What to expect in the DevelopHer program

\r\n\r\n

In your first initial week of being a DevelopHer, you will be paired with an MYOB mentor and a learning - they will support you through your learning journey at RMIT and beyond. You will meet your DevelopHer peers as well as get to know your RMIT cohort who will be learning with you as you begin to adopt various practices and concepts of application development.

\r\n\r\n

At RMIT, you will be exposed to a bootcamp and studio model of learning. You will be guided by qualified teachers, professors and tutors who will support you along the way, with continual support from MYOB. After successfully completing your scholarship at RMIT, you will receive a Graduate Certificate in Application Development** and will enter into our graduate program as a Protégé Developer. This is where you will unpack your learning and continue to work towards becoming an Associate Developer

\r\n\r\n

What you will bring

\r\n\r\n
    \r\n\t
  • Your curious nature
  • \r\n\t
  • A passion to solve logical problems
  • \r\n\t
  • An interest in understanding patterns
  • \r\n\t
  • Desire to learn and grow
  • \r\n\t
  • You're a good communicator and enjoy working in a team
  • \r\n\t
  • You must have a Bachelor Degree in another field
  • \r\n\t
  • Completion of one Bootcamp considered (not essential)
  • \r\n
\r\n\r\n

Please note - you will need to be physically located in Melbourne. Attendance at RMIT full time with in-office attendance at MYOB Cremorne as required. **to continue as a Protege Developer, at least 50% pass rate required from RMIT.

\r\n\r\n

MYOB has taken utmost care to ensure that this program doesn't contravene anti-discrimination legislation. The DevelopHer program qualifies as a special measure under section 12 of the Equal Opportunity Act 2010 (Vic) and under section 73 of the New Zealand Human Rights Act (1993).

", - "company": { - "name": "MYOB", - "website": "https://au.prosple.com/graduate-employers/myob", - "logo": "https://connect-assets.prosple.com/cdn/ff/QwaxXnNqSLd4quvZBjavcVph5unaYormVbveyK1nJak/1568171303/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-myob-120x120-2019.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/myob/jobs-internships/developher-scholarship" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-17T14:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52b" - }, - "title": "Summer Product Safety Engineering Internship", - "description": "

At BAE Systems Australia

\r\n\r\n
    \r\n\t
  • Do interesting work that MATTERS
  • \r\n\t
  • ENJOY what you do
  • \r\n\t
  • GROW your career
  • \r\n\t
  • Be YOU
  • \r\n
\r\n\r\n

Joining our BAE Systems Summer Internship you will be tackling real-world challenges in engineering that pushes boundaries. We're not just building gadgets, we're shaping the future of Australia and beyond.

\r\n\r\n

It's not just a job, it's a chance to leave your mark. This is where passion meets purpose, and together, we change the rules. 

\r\n\r\n

About You:

\r\n\r\n

Collaboration: Your collaboration skills will be the catalyst for turning concepts into reality, fostering an environment where teamwork is not just encouraged but celebrated.

\r\n\r\n

Communication: Your commitment to truthfulness and integrity will not only build trust within our team but will also be the cornerstone of your reputation as a professional of unwavering character.

\r\n\r\n

Creativity: As a member of our team, you'll be encouraged to cultivate a strategic vision, anticipating industry trends and envisioning innovative solutions.

\r\n\r\n

Critical thinking: Your critical thinking and ability to analyse problems from various angles, assess potential solutions, and make well-informed decisions.

\r\n\r\n

To register, you must be in your penultimate (2nd to last) year of studies for a degree level qualification in a relevant field.

\r\n\r\n

Available to work full time from: 18 November 2025– 14 Feb 2026.

\r\n\r\n

You'll also need to be an Australian citizen and eligible for Australian Defence Security Clearance due to the nature of our work.

\r\n\r\n

Why BAE Systems?

\r\n\r\n

Global Impact: Contribute to projects of global and national significance, making a real difference in the world.

\r\n\r\n

Innovation: Push boundaries and work on cutting-edge technology that challenges the status quo.

\r\n\r\n

Diversity and Inclusion: Embrace a workplace where diversity is celebrated, and inclusion is the foundation of our success.

\r\n\r\n

Career Growth: Enjoy a supportive environment that encourages your professional development and offers career progression opportunities.

\r\n\r\n

Be Yourself: We celebrate individuality and encourage you to bring your authentic self to work.

\r\n\r\n

About the Opportunity:

\r\n\r\n

Are you a detail-oriented and safety-conscious individual with a passion for ensuring product safety? Seize the opportunity to kick-start your career as a Product Safety Engineering Intern with opportunities available in VIC, SA & NSW (Newcastle). This internship provides a unique chance to immerse yourself in the critical field of product safety, collaborate with experienced professionals, and play a pivotal role in supporting a globally recognised leader in defence, security, and aerospace. Join our dedicated team, gain hands-on experience in product safety analysis, and contribute to the success of an organisation committed to the highest safety standards.

\r\n\r\n

What's in it for you? 

\r\n\r\n

As part of the BAE Systems Intern community you'll enjoy:

\r\n\r\n
    \r\n\t
  • A 12 week paid and structured internship
  • \r\n\t
  • Early consideration for our 2026 graduate program
  • \r\n\t
  • Mentoring and support
  • \r\n\t
  • Interesting and inspiring work
  • \r\n\t
  • Opportunities to collaborate with Interns and Graduates across the country
  • \r\n\t
  • Family friendly, flexible work practices and a supportive place to work
  • \r\n
\r\n\r\n

About US:

\r\n\r\n

Join a workplace that cares about your well-being and values diversity. At BAE Systems, inclusivity is our strength, and we welcome applicants from all backgrounds. We actively encourage applications from women, Aboriginal and Torres Strait Islanders, and Veterans.

\r\n\r\n

We are proud to be recognised as an employer of choice for women by WORK180.

\r\n\r\n

As a member of the Circle Back Initiative we commit to respond to every applicant.

\r\n\r\n

Register Now!

\r\n\r\n

To learn more about our competitive employee benefits, flexibility, other employment opportunities and what to expect from our recruitment process please visit our website.

", - "company": { - "name": "BAE Systems Australia", - "website": "https://au.prosple.com/graduate-employers/bae-systems-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/WjoQNRv4ciBllow7v7l9thw_SrWRZtqoJIX9tKPRkgs/1706758694/public/styles/scale_and_crop_center_80x80/public/2024-02/1706758681874_bae-systems-logo-square.png" - }, - "application_url": "https://careers.au.baesystems.com/jobtools/jncustomsearch.viewFullSingle?in_jnCounter=225855976&in_organid=16804&in_site=GRADAUSTRALIA", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/bae-systems-australia/jobs-internships/summer-product-safety-engineering-internship" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-06-08T13:30:00.000Z" - }, - "locations": ["AUSTRALIA", "SA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52c" - }, - "title": "Graduate Recruitment Consultant – Financial Services", - "description": "Selby Jennings is a globally recognised specialist recruitment company operating within the Financial Services markets. Our team delivers exceptional talent to a diverse range of clients across various verticals in Financial Services.", - "company": { - "name": "Phaidon International Singapore", - "website": "https://au.gradconnection.com/employers/phaidon-international-sg", - "logo": "https://media.cdn.gradconnection.com/uploads/9f11b9e8-6b79-4ef0-9eab-a5f17d2e2929-thumbnail_image162428.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/phaidon-international-sg/jobs/phaidon-international-singapore-graduate-recruitment-consultant-financial-services-16" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T15:59:00.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Accounting", - "Actuarial Studies", - "Administration", - "Agriculture", - "Architecture", - "Arts and Humanities", - "Aviation", - "Banking and Finance", - "Business and Commerce", - "Communications", - "Compliance", - "Computer Science", - "Construction", - "Consulting", - "Customer Service", - "Cyber Security", - "Data Science and Analytics", - "Defence", - "Design and User Experience", - "Economics", - "Education", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Chemical/Processing", - "Engineering - Civil/Structural", - "Engineering - Electrical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Mechanical", - "Engineering - Mechatronics", - "Engineering - Mining", - "Engineering - Petroleum", - "Engineering - Software", - "Environment", - "Fast Moving Consumer Goods", - "Food Technology", - "Funds Management", - "Geology", - "Government", - "Horticulture", - "Hospitality, Sports and Tourism", - "Human Resources", - "Industrial Design", - "Information Systems", - "Information Technology", - "Insurance", - "Intelligence", - "Investment Banking", - "Journalism", - "Law", - "Logistics and Supply Chain", - "Management", - "Marine Biology", - "Marketing and Sales", - "Mathematics", - "Media and Advertising", - "Mining Oil and Gas", - "Operations", - "Physics", - "Planning and Surveying", - "Procurement", - "Project Management", - "Property", - "Recruitment", - "Research and Development", - "Retail", - "Science", - "Statistics", - "Telecommunications", - "Transport", - "Utilities" - ], - "working_rights": ["OTHER_RIGHTS", "OTHER_RIGHTS"], - "created_at": { - "$date": "2025-01-18T08:20:27.706Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:27.706Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52d" - }, - "title": "Backend Software Engineer Intern, Trust and Safety Engineering (Live)", - "description": "

Responsibilities

\r\n\r\n

About TikTok

\r\n\r\n

TikTok is the leading destination for short-form mobile video. At TikTok, our mission is to inspire creativity and bring joy. TikTok's global headquarters are in Los Angeles and Singapore, and its offices include New York, London, Dublin, Paris, Berlin, Dubai, Jakarta, Seoul, and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

The Trust and Safety(TnS) engineering team is responsible for protecting our users from harmful content and abusive behaviors. With the continuous efforts of our trust and safety engineering team, TikTok can provide the best user experience and bring joy to everyone in the world. Our team is responsible for achieving goals by building content moderation process systems, rule engine, strategy systems, feature engine, human moderation platforms, risk insight systems and all kinds of supportive platforms across TnS organization.

\r\n\r\n

We are looking for talented individuals to join us for an internship in November / December 2024. Internships at TikTok aim to offer students industry exposure and hands-on experience. Watch your ambitions become reality as your inspiration brings infinite opportunities at TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order you apply. The application limit is applicable to TikTok and its affiliates' jobs globally.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Responsible for the research and development of trust and safety related systems and product functionalities on international live streaming products, including but not limited to: safety process, user perception, review efficiency improvement, strategy platform construction, etc;
  • \r\n\t
  • Responsible for enhancing the safety experience of a large number of international live streaming users, and building high-concurrency, high-stability systems for higher daily active users;
  • \r\n\t
  • In-depth exploration and analysis of business requirements and products to find solutions for live streaming safety issues.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n

Minimum Qualifications:

\r\n\r\n
    \r\n\t
  • Bachelor or above degree in computer science or a related technical discipline;
  • \r\n\t
  • Proficiency in designing data structures, building algorithms, and at least one programming language: python / go / php / c++ / java
  • \r\n
\r\n\r\n

Preferred Qualifications:

\r\n\r\n
    \r\n\t
  • Have excellent problem analysis and driving ability, good at thinking about the underlying causes of problems, and adept at summarizing and concluding;
  • \r\n\t
  • Great communication and teamwork skills;
  • \r\n\t
  • Good teamwork, communication skills, and service awareness, proactive and optimistic, strong sense of responsibility and self-motivation.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://lifeattiktok.com/search/7404621757296462107?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/backend-software-engineer-intern-trust-and-safety-engineering-live-0" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-12-31T12:59:59.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:34.801Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:34.801Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52e" - }, - "title": "Project Grace (Technical Graduate Program)", - "description": "

At FDM, we are dedicated to empowering women to build successful careers in technology. Here’s how we’re making a difference:

\r\n\r\n
    \r\n\t
  • 33% of our global workforce identify as female
  • \r\n\t
  • We launched Project Grace and She Lives Tech to inspire and support women in tech.
  • \r\n\t
  • Supportive community with additional female led mentorship
  • \r\n
\r\n\r\n

A unique opportunity awaits

\r\n\r\n

FDM is partnering with some of Australia’s biggest companies in the banking & finance and insurance sector to offer 15 graduates the chance to work on innovative projects within FDM’s Software Engineering or Data & Analytics Practice.
\r\nImagine your impact:

\r\n\r\n
    \r\n\t
  • Work on impactful projects at every stage of the application lifecycle.
  • \r\n\t
  • Provide application support to make systems work smoothly, impacting millions of Australians.
  • \r\n\t
  • Develop FX platforms for leading banks.
  • \r\n\t
  • Drive impactful treasury technology solutions
  • \r\n
\r\n\r\n

About the role:

\r\n\r\n

When you join FDM, you’ll start as a consultant with upskilling for up to 6 weeks in FDM’s Skills Lab where you develop core capability skills followed by continuous learning in a practice-based learning environment with your peers to get you job ready and confident for your first client assignment.

\r\n\r\n
    \r\n\t
  • Hands-on learning: Develop essential tech skills in a practical environment.
  • \r\n\t
  • 1:1 mentorship: Receive guidance from expert coaches who will support you every step of the way.
  • \r\n\t
  • Diverse opportunities: Explore various roles and assignments with big Aussie and international brands, unlocking exciting career paths.
  • \r\n
\r\n\r\n

Join us on a journey full of exciting opportunities - take the next step in your tech career with FDM!

\r\n\r\n

Why choose FDM?

\r\n\r\n
    \r\n\t
  • Full-time employment with a competitive salary  
  • \r\n\t
  • An initial upskilling course pre-assignment facilitated by our expert coaches  
  • \r\n\t
  • Opportunity for entire FDM career journey development with ongoing coaching through our Skills Lab  
  • \r\n\t
  • Consultant Experience Team dedicated to your wellbeing, health and happiness   
  • \r\n\t
  • Opportunity to become a leading consultant in one of the most in-demand tech field  
  • \r\n\t
  • Option to join the FDM Buy As You Earn share scheme  
  • \r\n
\r\n\r\n

About you

\r\n\r\n
    \r\n\t
  • You hold a university degree level (bachelor or higher)      
  • \r\n\t
  • Able to commit to completing our full 2.5-year graduate program    
  • \r\n\t
  • Strong problem-solving and analytical skills, paired with great interpersonal and communication skills     
  • \r\n\t
  • Eligibility to work in Australia (citizen or permanent resident)   
  • \r\n\t
  • Willing to relocate for client projects. Many are in Sydney and Melbourne! We offer a relocation package and connect you with fellow FDM consultants. Learn more here  
  • \r\n
\r\n\r\n

We expect our consultants to attend the office for client assignments when required. Currently, most client assignments have a hybrid working arrangement of between 3-5 days a week in the office with remainder from home, depending on the client.  

\r\n\r\n

About FDM

\r\n\r\n

FDM powers the people behind tech and innovation. From spotting trends to finding exceptional talent, we're the go-to and business and technology consultancy for staying ahead.   

\r\n\r\n

With 30+ years’ experience, we discover, coach and mentor the self-starters, the bold thinkers and the go-getters from diverse backgrounds, connecting them with world-leading businesses. Collaborating with our client partners, we provide the expertise precisely when needed and guide our people to make career choices that lead to exponential growth. 

\r\n\r\n

FDM has 18 centres located across Asia-Pacific, North America, the UK and Europe. We have helped successfully launch over 25,000 careers globally to date and are a trusted partner to over 300 companies worldwide.    

\r\n\r\n

Dedicated to Diversity, Equity and Inclusion   

\r\n\r\n

FDM Group’s mission is to make tech and business careers accessible for everyone. Our diverse team of 90+ nationalities thrive on differences, fuels innovation through varied experiences and celebrates shared successes. As an Equal Opportunity Employer and listed on the FTSE4Good Index, FDM ensures every qualified applicant, regardless of race, colour, religion, sex, or any other status, gets the chance they deserve.  

\r\n\r\n

Note: Although we use the word women, it is important to us that you understand our definitions include all women; cisgender, transgender or gender diverse and we acknowledge and include those who identify outside the binary. Men are also always welcome to apply. 

", - "company": { - "name": "FDM Group Australia", - "website": "https://au.prosple.com/graduate-employers/fdm-group-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/nUWNDC8pjxPBgV-Kf3tNULfOmX4FnoUYdAWFUQgZexI/1714355207/public/styles/scale_and_crop_center_80x80/public/2024-04/1714355200857_FDM_Logo_green.png" - }, - "application_url": "https://careers.fdmgroup.com/registration.aspx?utm_source=gradaustralia&utm_medium=jobad&utm_campaign=grad_project_grace_gen&utm_content=aus_", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/fdm-group-australia/jobs-internships/project-grace-technical-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee52f" - }, - "title": "Technical Pathways - Graduate Program", - "description": "

Our Graduate Program is designed for talented, passionate graduates who are looking to join an agile world leader and are ready to use the power of technology to deliver mission-critical IT services that move the world. Our customers entrust us to deliver what matters most. We believe every graduate is unique and our aim is to help you build a solid foundation in your professional career, apply your learnings, and discover new possibilities.

\r\n\r\n

If you are passionate about making a difference for our customers and society, this program is for you! Whether you are a tech enthusiast or someone who just wants to make an impact on people’s lives – join the DXC journey in shaping the future of tomorrow. 

\r\n\r\n

Graduate opportunities:

\r\n\r\n
    \r\n\t
  • Application Developer - Create, test and program applications for our clients
  • \r\n\t
  • Consulting (Technical) - Collaborate with our clients to improve their business through DXC’s offerings and expertise
  • \r\n\t
  • Cyber Security - Help protect and defend our clients from cyber threats
  • \r\n\t
  • Networking - Work on integrations and installations for client’s current network infrastructure
  • \r\n\t
  • Software Engineering - Design, develop, test and evaluate IT software
  • \r\n\t
  • Systems Engineering - Design, integrate and manage complex client systems
  • \r\n\t
  • Test Engineer - Plan, design and evaluate applications and products for client
  • \r\n
\r\n\r\n

Your journey starts from Day 1

\r\n\r\n

You will take part in a structured induction program where you will have the opportunity to meet other graduates from your cohort across Australia and New Zealand and undertake training to get you up to speed with the DXC environment and build your interpersonal skills.

\r\n\r\n

What’s in it for you?

\r\n\r\n
    \r\n\t
  • A stimulating 12-month program with a company that is well-positioned to grow and deliver true innovation and value to our customers
  • \r\n\t
  • Opportunities to collaborate with senior leaders on various projects
  • \r\n\t
  • Ongoing training and development
  • \r\n\t
  • A dedicated people manager and buddy to help guide and support you from Day 1
  • \r\n\t
  • A variety of social and cultural activities to extend your networking and team-building skills
  • \r\n
\r\n\r\n

What we’re looking for?

\r\n\r\n

To be eligible for our Graduate Program, when submitting your application, you must be:

\r\n\r\n
    \r\n\t
  • An Australian citizen or Permanent Resident
  • \r\n\t
  • Have completed all course requirements for your degree no earlier than November 2023, and must be expecting to complete all course requirements for your degree no later than February 2026
  • \r\n
\r\n\r\n

Note: Previous exposure to the Technology or Business sector (i.e. work placements or internships) or ex-Defence personnel (post serving time in the Military) would be an advantage for some roles.

\r\n\r\n

All degrees are accepted. We invite you to join our passionate team and thrive with DXC.

\r\n\r\n

Our 'people first' mindset comes to life offering the ultimate in working flexibility. We take a virtual first approach and our teams are spread across multiple geographies delivering a broad range of customer projects, which means we can tailor working arrangements that work for our people. DXC is an equal-opportunity employer. We welcome the many dimensions of diversity. To increase diversity in the technology industry, we encourage applications from Aboriginal and/or Torres Strait Islander people, neurodiverse people, and members of the LGBTQIA+ community. Accommodation of special needs for qualified candidates may be considered within the framework of the DXC Accommodation Policy. In addition, DXC Technology is committed to working with and providing reasonable accommodation to qualified individuals with physical and mental disabilities. 

\r\n\r\n

If you need assistance in filling out the application form or require a reasonable accommodation while seeking employment, please e-mail: anzyoungprofessionals@dxc.com If you wish to find out more, please visit our website or contact anzyoungprofessionals@dxc.com 

\r\n\r\n

DXC acknowledges the Traditional Owners of the country throughout Australia, and their continuing connection to land, water and community. We pay our respects to them and their cultures, and to their Elders, past, present and emerging.  

", - "company": { - "name": "DXC Technology", - "website": "https://au.prosple.com/graduate-employers/dxc-technology", - "logo": "https://connect-assets.prosple.com/cdn/ff/Pgy3E3kN6YXC6_S3L_do1cfn2XDySpE4FpfVn2CYCsg/1623321492/public/styles/scale_and_crop_center_80x80/public/2021-06/logo-dxc-technology-ph-480x480-2021.png" - }, - "application_url": "https://dxc.com/au/en/careers/graduate-program", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/dxc-technology/jobs-internships/technical-pathways-graduate-program-1" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2026-04-07T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "ACT", "NSW", "QLD", "SA", "VIC", "WA"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:45.653Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.653Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee530" - }, - "title": "Project Management Intern", - "description": "

Your role

\r\n\r\n

What you'll do

\r\n\r\n

Viasat's Program Team works across a diverse range of projects, deploying and enhancing Australian ground infrastructure for satellite systems. The intern will work with a team of project management professionals learning new skills and technologies and contributing to the ongoing success of the team and business objectives.

\r\n\r\n

The team works closely with other functions such as Engineering, Finance, Logistics, Field Installation and Commercial in developing new opportunities and delivering to contract.

\r\n\r\n

The day-to-day

\r\n\r\n

You will support Project Management activities for ongoing satellite ground system deployment and upgrade projects. Activities will include project coordination, scheduling of internal and external resources, project reporting, and scheduling. This role will require interaction with internal and external stakeholders on a regular basis.

\r\n\r\n

Learn more about the Internship Program by watching this video:

\r\n\r\n

\r\n\r\n

About you

\r\n\r\n

Here are what you need to be perfect for the role:

\r\n\r\n
    \r\n\t
  • Currently pursuing a Bachelor's Degree or higher in Computer Engineering, Business Administration, Technology Management or a related subject area
  • \r\n\t
  • Proficiency in MS Office Suite to include MS Project
  • \r\n\t
  • Must be able to work on a collaborative team, have presentation experience, must be organized, punctual and open-minded
  • \r\n\t
  • Excellent communication skills
  • \r\n\t
  • Must be within commutable distance of the Melbourne Viasat office
  • \r\n
\r\n\r\n

What will help you on the job:

\r\n\r\n

The work may entail:

\r\n\r\n
    \r\n\t
  • Experience in helping deliver on the successful contract SoW, working closely with our customers and internal teams for schedule execution, reporting internally and externally monitoring and controlling budgets etc.
  • \r\n\t
  • Preparing internal and external stakeholder project performance reports
  • \r\n\t
  • Chairing internal project meetings
  • \r\n\t
  • Updating project deployment schedules
  • \r\n\t
  • Experience in contributing to the development of scopes of work (SoW) and estimates
  • \r\n
\r\n\r\n

Therefore any background or study in project management or telecommunications would be a bonus.

\r\n\r\n

Benefits

\r\n\r\n

Viasat's 10- to 12-week paid internship program provides college students the opportunity to join a group of the best and brightest from day one.

\r\n\r\n

Benefits and perks:

\r\n\r\n
    \r\n\t
  • Competitive pay
  • \r\n\t
  • Developmental and social events such as tech talks and networking events
  • \r\n
\r\n\r\n

Career progression

\r\n\r\n

This internship program will give you the opportunity to develop and demonstrate your skills and get a taste of Viasat's culture. The hiring process is competitive, but they have found their intern program to be one of the most effective ways to be considered for a full-time position. Many of their current employees came to them through internships. While you’re at Viasat, feel free to talk with past interns and hear their unique stories.

\r\n\r\n

Source

\r\n\r\n

The following source was used to research this page:

\r\n\r\n
    \r\n\t
  • careers.viasat.com/internships
  • \r\n
", - "company": { - "name": "Viasat Australia", - "website": "https://au.prosple.com/graduate-employers/viasat-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/eOE_xPYzSbsOdyco7FvAQEMIiS0bLqWyBC-xxrF9wAE/1728540902/public/styles/scale_and_crop_center_80x80/public/2024-10/logo-viasat-australia-450x450-2024.png" - }, - "application_url": "https://careers.viasat.com/jobs/3108?lang=en-us", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/viasat-australia/jobs-internships/project-management-intern" - ], - "type": "INTERN", - "close_date": { - "$date": "1970-01-01T00:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee531" - }, - "title": "IT and Computer Science Internships", - "description": "First-class international IT and Computer Science internships in companies of all sizes, from large multinational corporations to exciting start-ups.", - "company": { - "name": "The Intern Group", - "website": "https://au.gradconnection.com/employers/the-intern-group", - "logo": "https://media.cdn.gradconnection.com/uploads/e25e223e-0b28-44af-9abf-4a86ccabaa88-newlogo.png" - }, - "application_url": "https://app.theinterngroup.com/apply?utm_source=grad-connection&utm_medium=listing-page&utm_campaign=third-party-advertisers&utm_content=it-computer-science", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/the-intern-group/jobs/the-intern-group-it-and-computer-science-internships-11" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-01-28T12:59:00.000Z" - }, - "locations": [ - "VIC", - "OTHERS", - "OTHERS", - "OTHERS", - "OTHERS", - "OTHERS", - "OTHERS", - "OTHERS", - "OTHERS" - ], - "study_fields": [ - "Computer Science", - "Information Systems", - "Information Technology" - ], - "working_rights": [ - "AUS_CITIZEN", - "WORK_VISA", - "WORK_VISA", - "INTERNATIONAL", - "NZ_CITIZEN", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee532" - }, - "title": "The Alternative - People & Culture / WHS", - "description": "Launching in 2024, The Alternative is a South Australian program changing how people begin their careers. Three Placements, Real Experience. Fast-Moving Industries", - "company": { - "name": "The Alternative", - "website": "https://au.gradconnection.com/employers/the-alternative", - "logo": "https://media.cdn.gradconnection.com/uploads/1812b67a-e4d3-43df-bc4b-e5f29aadb85a-The_Alternative_Logo_Grad_Connection.jpg" - }, - "application_url": "https://www.livehire.com/job/thealternativesa/WHS", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/the-alternative/jobs/the-alternative-the-alternative-people-culture-whs-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-01-30T23:17:00.000Z" - }, - "locations": ["SA"], - "study_fields": [ - "Architecture", - "Arts and Humanities", - "Communications", - "Computer Science", - "Construction", - "Cyber Security", - "Data Science and Analytics", - "Design and User Experience", - "Engineering", - "Engineering - Aerospace/Aeronautical", - "Engineering - Environmental", - "Engineering - Geotechnical", - "Engineering - Petroleum", - "Engineering - Software", - "Food Technology", - "Geology", - "Industrial Design", - "Information Systems", - "Information Technology", - "Journalism", - "Marine Biology", - "Mathematics", - "Media and Advertising", - "Medical and Biomedical Science", - "Mining Oil and Gas", - "Physics", - "Planning and Surveying", - "Project Management", - "Research and Development", - "Science", - "Statistics", - "Telecommunications", - "Utilities" - ], - "working_rights": [ - "AUS_CITIZEN", - "OTHER_RIGHTS", - "WORK_VISA", - "AUS_PR", - "WORK_VISA" - ], - "created_at": { - "$date": "2025-01-18T08:20:26.598Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.598Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee533" - }, - "title": "Engineering Vacationer Program", - "description": "

Our candidate pool will be reviewed as additional places in our Vacationer Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Engineering areas as a vacationer?

\r\n\r\n

Smooth-running infrastructure projects are good for business and good for the community – you can be part of delivering some of Australia’s biggest and best. Engineering graduates help clients plan, deliver, track, and maintain large-scale infrastructure projects, from sports stadiums to railways, often working as part of cross-functional teams. If you’re good at seeing both the big picture of a project’s aim as well as the smaller moving parts, use your degree to start something big with us.

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Technology, Digital, and Engineering pathway and you’ll have the option to select the stream of work you’re interested in Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be civil engineers working alongside an environmental specialist and change and communications professionals. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, developing a maintenance schedule, or coordinating a project management office. 

\r\n\r\n

About the vacationer program 

\r\n\r\n
    \r\n\t
  • For students in their second-last year of study in 2025
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work approx. November with a job for 4-8 weeks to learn real-world work skills during your study vacation time
  • \r\n\t
  • Opportunities to move directly into our graduate program: a one-year program after you graduate with targeted coaching, support and development.
  • \r\n
\r\n\r\n

What vacationers and grads say 

\r\n\r\n

It’s a safe environment to learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)  

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad) 

\r\n\r\n

I’m truly part of the team working on the project. My team supports me to give things a try and learn as I work. (Matt, 2023 vacationer)  

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad) 

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad) 

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, and now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning and more
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb, and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Vacationer Program. 

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTF", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/engineering-vacationer-program" - ], - "type": "INTERN", - "close_date": { - "$date": "2025-10-30T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee534" - }, - "title": "Graduate Backend Software Engineer", - "description": "

Responsibilities

\r\n\r\n

TikTok is the leading destination for short-form mobile video. Our mission is to inspire creativity and bring joy. TikTok has global offices including Los Angeles, New York, London, Paris, Berlin, Dubai, Singapore, Jakarta, Seoul and Tokyo.

\r\n\r\n

Why Join Us

\r\n\r\n

Creation is the core of TikTok's purpose. Our platform is built to help imaginations thrive. This is doubly true of the teams that make TikTok possible.

\r\n\r\n

Together, we inspire creativity and bring joy - a mission we all believe in and aim towards achieving every day.

\r\n\r\n

To us, every challenge, no matter how difficult, is an opportunity; to learn, to innovate, and to grow as one team. Status quo? Never. Courage? Always.

\r\n\r\n

At TikTok, we create together and grow together. That's how we drive impact - for ourselves, our company, and the communities we serve.

\r\n\r\n

Join us.

\r\n\r\n

We are looking for talented individuals to join us in 2026. As a graduate, you will get unparalleled opportunities for you to kickstart your career, pursue bold ideas and explore limitless growth opportunities. Co-create a future driven by your inspiration with TikTok.

\r\n\r\n

Candidates can apply to a maximum of two positions and will be considered for jobs in the order they apply. The application limit is applicable to TikTok and its affiliates' jobs globally. Applications will be reviewed on a rolling basis - we encourage you to apply early.

\r\n\r\n

The Trust and Safety(TnS) engineering team is responsible for protecting our users from harmful content and abusive behaviours. With the continuous efforts of our trust and safety engineering team, TikTok can provide the best user experience and bring joy to everyone in the world. Our team is responsible for achieving goals by building content moderation process systems, rule engines, strategy systems, feature engines, human moderation platforms, risk insight systems and all kinds of supportive platforms across the TnS organization.

\r\n\r\n

Responsibilities

\r\n\r\n
    \r\n\t
  • Build a highly scalable, efficient and robust trust, and safety platform and tools;
  • \r\n\t
  • Understand product objectives to develop an easy-to-use platform that aligns with customers' needs;
  • \r\n\t
  • Collaborate with trust and safety specialists, experts, and machine learning engineers;
  • \r\n\t
  • Improve system design and architecture to ensure high stability and performance of the services;
  • \r\n\t
  • Work with Trust and Safety teams to protect TikTok globally.
  • \r\n
\r\n\r\n

Qualifications

\r\n\r\n
    \r\n\t
  • Final year or recent graduate with a background in Software Development, Computer Science, Computer Engineering, or a related technical discipline;
  • \r\n\t
  • Proficiency in designing data structures, building algorithms, and at least one programming language: Go/Python/PHP/C++/C/Java;
  • \r\n\t
  • Passionate and experienced in challenging problem-solving techniques with related internet products;
  • \r\n\t
  • Curiosity towards new technologies and entrepreneurship, excellent communication and teamwork skills and high levels of creativity and quick problem-solving capabilities.
  • \r\n
\r\n\r\n

TikTok is committed to creating an inclusive space where employees are valued for their skills, experiences, and unique perspectives. Our platform connects people from across the globe and so does our workplace. At TikTok, our mission is to inspire creativity and bring joy. To achieve that goal, we are committed to celebrating our diverse voices and to creating an environment that reflects the many communities we reach. We are passionate about this and hope you are too.

\r\n\r\n

In the spirit of reconciliation, TikTok acknowledges the Traditional Custodians of the country throughout Australia and their connections to land, sea and community. We pay our respect to their Elders past and present and extend that respect to all Aboriginal and Torres Strait Islander peoples today.

\r\n\r\n

By submitting an application for this role, you accept and agree to our global applicant privacy policy, which may be accessed here

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!.

", - "company": { - "name": "TikTok Australia & New Zealand", - "website": "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/IN9g3J5MQhtgxauXmoXw6gympSqnBg1hbAMi6z4fXFc/1661937124/public/styles/scale_and_crop_center_80x80/public/2022-08/logo-tiktok-australia-450x450-2022.png" - }, - "application_url": "https://careers.tiktok.com/position/7329812111635679526/detail?spread=128SD3R", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/tiktok-australia-new-zealand/jobs-internships/graduate-backend-software-engineer" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-30T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW"], - "study_fields": ["IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee535" - }, - "title": "Graduate Role- Network Engineer", - "description": "As a Network Engineer, you will be responsible for assisting in the design, implementation, and maintenance of our network systems.", - "company": { - "name": "Tata Consultancy Services", - "website": "https://au.gradconnection.com/employers/tata-consultancy-services", - "logo": "https://media.cdn.gradconnection.com/uploads/5b8c0d5d-91a7-40e7-b10d-aaebf5ef34f3-TCS_Logo_.jpg" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.gradconnection.com/employers/tata-consultancy-services/jobs/tata-consultancy-services-graduate-role-network-engineer-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-02-28T06:01:00.000Z" - }, - "locations": ["ACT", "NSW", "QLD", "VIC", "WA"], - "study_fields": [ - "Computer Science", - "Engineering", - "Engineering - Software", - "Information Systems", - "Information Technology", - "Telecommunications" - ], - "working_rights": ["AUS_CITIZEN", "NZ_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:26.596Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:26.596Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee536" - }, - "title": "Digital Graduate Development Programme", - "description": "

Do you want to work at one of Australia’s top graduate employers?

\r\n\r\n

Arup’s Graduate Development Programme has been ranked #1 in Engineering Consulting in both Prosple’s Top 100 Graduate Employers and the Australian Association of Graduate Employers Top 75 Graduate Employers.

\r\n\r\n

Come join us to see what the fuss is all about and to experience our nationally recognised Graduate Development Programme. 

\r\n\r\n

A future with purpose

\r\n\r\n

At Arup we’re dedicated to sustainable development and to do socially useful work that has meaning. Our purpose, shared values and collaborative approach has set us apart for over 75 years, guiding how we shape a better world.
\r\n
\r\nWe solve the world's most complex problems and deliver what seems impossible. We explore challenges with curiosity and creativity - using technology, imagination, and rigour to deliver remarkable outcomes.

\r\n\r\n

The Opportunity

\r\n\r\n

 Are you looking for a graduate role in a company that will support you in pursuing your passion? Start your journey in our graduate development programme! Our programme aims to equip you with valuable skills that will set you apart as you launch your career.

\r\n\r\n

You will have the opportunity to engage in:

\r\n\r\n
    \r\n\t
  • Practical on-the-job learning, an opportunity to contribute to world class and innovative projects
  • \r\n\t
  • Formal training delivered through professional development workshops, webinars and self-enabled learning modules
  • \r\n\t
  • Guest speaker events – hear from Arup’s global experts
  • \r\n\t
  • Networking opportunities with our innovative team of experienced designers, engineering consultants, sustainability advisors and specialists
  • \r\n\t
  • Community – connect with fellow Graduates across Australia, New Zealand, Singapore, Indonesia and Malaysia by being part of a 150-graduate cohort
  • \r\n\t
  • Mentorship – sign up for Arup’s mentoring programme to be matched with an Arup mentor
  • \r\n
\r\n\r\n

Is this role right for you?

\r\n\r\n

We’re looking for creative, diverse, and energetic graduates to join our Graduate Development Programme. 

\r\n\r\n

At Arup, you belong to an extraordinary collective – in which we encourage individuality to thrive. If you can share your knowledge and ideas and encourage others to do the same; whilst having a desire to deliver excellent services for clients – we’d like to hear from you.

\r\n\r\n

Eligibility Criteria

\r\n\r\n
    \r\n\t
  • Candidates are required to have full working rights in the country they are applying for.
  • \r\n\t
  • Candidates must have completed their studies prior to the programme they are applying for
  • \r\n\t
  • Candidates must be available to start work on or prior to the programme they are applying for
  • \r\n\t
  • Candidates must not have more than 12 months of experience in a similar role
  • \r\n
\r\n\r\n

What we offer you

\r\n\r\n

Guided by our values, we provide a fair and equitable total reward package and offer a career in which all our members can belong, grow and thrive through benefits that support health and wellbeing, a wide range of learning opportunities and many possibilities to have an impact through the work they do. 

\r\n\r\n

We are owned in trust on behalf of our members, giving us the freedom, with personal responsibility, to set our own direction and choose work that aligns with our purpose and adds to Arup’s legacy. 

\r\n\r\n

Explore the perks of a career with Arup Australia & New Zealand:

\r\n\r\n
    \r\n\t
  • Profit Share
  • \r\n\t
  • Hybrid working policy and flexible working hours.
  • \r\n\t
  • Paid parental leave for the primary carer of 16 weeks or 32 weeks at half pay and as well as generous unpaid leave benefits.
  • \r\n\t
  • Paid parental leave for the support carer plus the opportunity to access extra paid and unpaid leave if you later become the primary carer.
  • \r\n\t
  • Birthday leave
  • \r\n\t
  • Annual leave loading
  • \r\n\t
  • Ability to purchase additional leave of up to 20 days for permanent employees.
  • \r\n\t
  • International mobility opportunities
  • \r\n\t
  • Insurances (life & income protection)
  • \r\n\t
  • Interest free solar energy and bicycle loans
  • \r\n
\r\n\r\n

Different people, shared values

\r\n\r\n

Arup is an equal opportunity employer that actively promotes and nurtures a diverse and inclusive workforce. We welcome applications from individuals of all backgrounds, regardless of age (within legal limits), gender identity or expression, marital status, disability, neurotype or mental health, race or ethnicity, faith or belief, sexual orientation, socioeconomic background, and whether you’re pregnant or on family leave. We are an open environment that embraces diverse experiences, perspectives, and ideas – this drives our excellence. 

\r\n\r\n

Guided by our values and alignment with the UN Sustainable Development Goals, we create and contribute to equitable spaces and systems, while cultivating a sense of belonging for all. Our internal employee networks support our inclusive culture: from race, ethnicity and cross-cultural working to gender equity and LGBTQ+ and disability inclusion – we aim to create a space for you to express yourself and make a positive difference. 

\r\n\r\n

We are committed to making our recruitment process and workplaces accessible to all candidates. Please let us know if you need any assistance or reasonable adjustments throughout your application or interview process, and/or to perform the essential functions of the role. We will do everything we can to support you.

\r\n\r\n

Pre-register now and we will let you know once this opportunity opens!

", - "company": { - "name": "Arup Australia", - "website": "https://au.prosple.com/graduate-employers/arup-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/gL1SnxDWKt-lFap9C_pWPPiPBPthze5bwTf_vKCALkM/1673230937/public/styles/scale_and_crop_center_80x80/public/2023-01/logo-arup-480x480-2023.png" - }, - "application_url": "https://2025arupgraduateprogrammeaustralia-arup.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/arup/jobs-internships/digital-graduate-development-programme-2" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-08-13T13:59:00.000Z" - }, - "locations": ["AUSTRALIA", "NSW", "QLD"], - "study_fields": ["IT & Computer Science", "Sciences"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:43.042Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:43.042Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee537" - }, - "title": "Vacation Program", - "description": "

What’s in it for you?

\r\n\r\n
    \r\n\t
  • Paid opportunity to work with and learn from professionals in your field of study
  • \r\n\t
  • An opportunity to apply what you are learning to real life challenges.
  • \r\n\t
  • Join in networking and social events with other vacation students and graduates
  • \r\n\t
  • Playing a part in the de-carbonisation of our state.
  • \r\n
\r\n\r\n

Who can apply?
\r\nAny student in their final or penultimate year of study, including international students, in the following disciplines

\r\n\r\n
    \r\n\t
  • Electrical and Civil Engineering
  • \r\n\t
  • Cyber Security
  • \r\n\t
  • Data Science
  • \r\n\t
  • IT
  • \r\n
\r\n\r\n

If this program sounds like something that interests you, please register your interest below.  Candidates for this program are sourced from expressions of interest received during the year. 

", - "company": { - "name": "Western Power", - "website": "https://au.prosple.com/graduate-employers/western-power", - "logo": "https://connect-assets.prosple.com/cdn/ff/jv4GJ_EzC8QbAQaso9GsmD8w0xeLFkMIFBJKHqvkaiY/1572588664/public/styles/scale_and_crop_center_80x80/public/2019-10/Logo-WesternPower-240x240-2019.jpg" - }, - "application_url": "https://www.westernpower.com.au/about/careers/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/western-power/jobs-internships/vacation-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-09-29T16:00:00.000Z" - }, - "locations": ["AUSTRALIA", "WA"], - "study_fields": ["Engineering & Mathematics", "IT & Computer Science"], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "WORK_VISA"], - "created_at": { - "$date": "2025-01-18T08:20:48.735Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:48.735Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee538" - }, - "title": "Data Analytics GRADStart Program", - "description": "

Our GRADStart program is the perfect start for your professional career. As one of Australia’s top graduate employers, our program gives you the opportunity to ignite your passion and achieve success while making a positive impact on Queensland.

\r\n\r\n

Your experience

\r\n\r\n

From day one as a graduate you’ll be immersed into our supportive community, working alongside and supported by highly skilled professionals and Executive Leaders. You will be a part of a collaborative working environment that embraces diversity, flexibility and innovative thinking.

\r\n\r\n
\"Queensland
\r\n\r\n

Want to meet some of our previous graduates and hear what they have to say about the GRADStart program? View our GRADStart video playlist on YouTube.

\r\n\r\n

Are you the right person for our graduate program?

\r\n\r\n

As a Queensland Treasury employee you are expected to display or develop behaviours outlined in Leadership Competencies for Queensland. As a GRADStart candidate, the ‘Individual Contributor’ stream will apply. Full details of the leadership competency descriptors and behavioural indicators can be found at Leadership Competencies for Queensland.

\r\n\r\n

You will also embody the public service values:

\r\n\r\n
    \r\n\t
  • put customers first
  • \r\n\t
  • put ideas into action
  • \r\n\t
  • unleash potential
  • \r\n\t
  • be courageous
  • \r\n\t
  • empower people
  • \r\n
\r\n\r\n

Representing our community

\r\n\r\n

Queensland Treasury is committed to representing the community we serve and values the perspectives and experiences a diverse workforce can bring to fulfilling this imperative. As such, we strongly encourage applications from First Nations people, people from culturally and linguistically diverse backgrounds, and people with disabilities. We are committed to making reasonable adjustments to provide a positive, barrier-free recruitment process and supportive workplace.

\r\n\r\n

Support and reasonable adjustment can be provided to applicants throughout the selection process at any stage and as required. Contact our Diversity and Inclusion Officer at gradprog@treasury.qld.gov.au to discuss further.

\r\n\r\n

What we do

\r\n\r\n

Queensland Treasury is the Queensland Government’s principal source of trusted, impartial and influential advice
\r\nfor the economy and state finances. We drive better and lasting outcomes for Queenslanders by:

\r\n\r\n
    \r\n\t
  • managing Queensland’s finances
  • \r\n\t
  • administering grants and collecting taxes
  • \r\n\t
  • providing economic, statistical and commercial advice to government
  • \r\n\t
  • advocating for strong policy outcomes that support Queenslanders into the future.
  • \r\n
\r\n\r\n

Learn more about what we do through our:

\r\n\r\n
    \r\n\t
  • Key responsibilities
  • \r\n\t
  • Our strategy
  • \r\n\t
  • Our structure
  • \r\n
\r\n\r\n

Available opportunities

\r\n\r\n

Applications are welcome from all disciplines, particularly Economics, Finance (including budget strategy and
\r\nfinancial reporting), Accounting, Commerce, Public policy, Data Analytics, Business, Law, Mathematics,

\r\n\r\n

Communication or Project management.
\r\nFrom time to time, we also recruit graduates from other specialist fields.

\r\n\r\n

In the graduate program we focus on your capability and skills to ignite your passion. With our diverse range of
\r\nbusiness areas and types of work, you can use your degree in a multitude of different ways.

\r\n\r\n

During the program, you will work on a variety of meaningful projects and contribute to solutions, which have a
\r\nlasting impact on Queenslanders. You may work on public infrastructure projects and services; provide advice on
\r\nfinancial, economic, and public policy issues; or assist with delivering the state budget.

\r\n\r\n

At the start of each rotation your respective supervisor will outline your key responsibilities and duties. Some of
\r\nthe roles our graduates go into include:

\r\n\r\n

Treasury analysts
\r\nMonitor the financial and non-financial performance of government agencies and identify opportunities
\r\nfor improvement; provide advice on financial, economic and public policy issues; conduct research and
\r\nanalyse financial and policy issues and prepare and present findings; develop influential relationships with
\r\nclient agencies and their representatives.

\r\n\r\n

Commercial analysts
\r\nProvide strategic financial and commercial advice on project proposal and commercial transactions,
\r\nundertake commercial and industry policy research analysis and evaluation and make recommendations,
\r\nassist in the analysis of options available to government for promoting economic growth in Queensland,
\r\ncontribute to the development of solutions that satisfy the state’s economic and financial objectives and
\r\nprotect the state’s interests.

\r\n\r\n

Economists
\r\nReview, analyse and contribute to advice on a broad range of economic policy matters, provide advice on
\r\nthe appropriate application and interpretation of economic data and various types of economic impact
\r\nanalysis/modelling, and contribute to detailed submissions on a range of economic and employment
\r\nrelated issues.

\r\n\r\n

Policy officers
\r\nConduct research, analyse policy issues and prepare and present findings and recommendations, assist in
\r\npreparing and compiling submissions and briefing materials, and provide information relevant to policy
\r\nand legislative issues.

\r\n\r\n

Accountants
\r\nAssist in the development and review of departmental financial policies; provide advice in relation to
\r\nfinancial accounting and financial reporting; operational financial accounting such as journal preparation,
\r\nreconciliations, vendor/payment certification and financial system maintenance; monitoring of the
\r\ndepartment’s budget performance; and contributing to whole-of-government financial management and
\r\nreporting policies.

\r\n\r\n

Statisticians
\r\nAssist in processing, analysis and reporting of surveys and administrative data; provide timely and
\r\naccurate statistical information to clients; assist in the design, development and implementation of
\r\nstatistical information systems, statistical surveys and predictive models; and use of information systems
\r\nsuch as SAS, R, Excel, Oracle.

\r\n\r\n

Investigation officers
\r\nIn Queensland Revenue Office, conduct audits and investigations to ensure compliance with state
\r\nrevenue laws, identify risks to revenue and make recommendations for the treatment of risks, research
\r\nand analyse legal issues and make sound recommendations, and assist taxpayers through information and
\r\neducation to help them understand and meet their obligations.

\r\n\r\n

Revenue analysts
\r\nIn Queensland Revenue Office, assist in the design, development and maintenance of innovative revenue
\r\nestimation models and revenue forecasting models; assist in the preparation of reports, submissions,
\r\nbriefing notes and correspondence; assist in the provision of high-level advice on complex revenue issues;
\r\nand research and analyse complex revenue issues and proposals; and assist in recommending appropriate
\r\nsolutions or options.

\r\n\r\n

Contact details

\r\n\r\n

If you would like further information about our graduate program, go to our website or contact our Graduate Coordinator

\r\n\r\n

Additional information

\r\n\r\n
    \r\n\t
  • Applicants will be informed via email if they have/have not been successful in progressing to the next stage of
  • \r\n\t
  • The application process. Ensure you provide an email address that you check regularly and check your junkmailbox.
  • \r\n\t
  • All roles within the Queensland Treasury are subject to criminal history screening. If you are being nominated for
  • \r\n\t
  • a graduate role, you will be required to provide written consent to undertake the criminal history screening.
  • \r\n\t
  • If you choose not to consent, you will no longer be considered for the role.
  • \r\n\t
  • A three-month probation period will apply.
  • \r\n\t
  • To be eligible for our 2026 graduate program you must be a recent graduate (within the last two years) or due
  • \r\n\t
  • To graduate before the program anticipated commencement in February 2026 and an Australian or New Zealand citizen, or an Australian permanent resident.
  • \r\n
", - "company": { - "name": "Queensland Treasury", - "website": "https://au.prosple.com/graduate-employers/queensland-treasury", - "logo": "https://connect-assets.prosple.com/cdn/ff/9sMbZ3xB6LyeeAYyXtGXRGLpNZmRa6TJPZoiCPZ01AA/1588002895/public/styles/scale_and_crop_center_80x80/public/2020-04/logo-queensland-treasury-480x480-2020.png" - }, - "application_url": "https://www.treasury.qld.gov.au/about-treasury/working-at-treasury/career-opportunities/graduate-online-application-form/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/queensland-treasury/jobs-internships/data-analytics-gradstart-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "QLD"], - "study_fields": ["IT & Computer Science"], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "WORK_VISA", - "NZ_CITIZEN" - ], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee539" - }, - "title": "Risk Graduate Program", - "description": "

Our candidate pool will be reviewed as additional places in our Graduate Program come up, so please apply to still be in with a chance to start something big with us!

\r\n\r\n

Why choose Risk as a grad? 

\r\n\r\n

Balancing risk and reward is a fine art. It’s not just about identifying risks, but also innovative solutions. It’s being compliant but also competitive. Graduate roles in risk are an opportunity to help organisations plan for and tackle what’s around the next corner, and the one after that too. You could be digging into model data to predict event likelihood, identifying measures to keep vulnerable people safe, or investigating opportunities to maximise investments in governance technology. 

\r\n\r\n

Choose your pathway

\r\n\r\n

Everyone’s career is different, and we support unique growth and pathways. With a range of disciplines and specialties, you can start in one place and go almost anywhere as you build your career here.

\r\n\r\n

Apply to this Business, Consulting, and Risk pathway and you’ll have the option to select the stream of work you’re interested in. Not sure or open to something new? No preference means we’ll match you where your degree and interests fit. 

\r\n\r\n

Location of this job: nominate your KPMG office location during the application process.

\r\n\r\n

What is being a consultant?

\r\n\r\n

You’ll be part of a team of experienced and early-career professionals who work on solving problems. The client (they could be an international company, a local charity, or a small business) brings us a challenge and we create a team and a plan to help solve it. That team will be made up of colleagues from several disciplines and backgrounds so we bring the best ideas to the table – there might be forensic accountants working alongside a supply chain specialist and human rights experts. 

\r\n\r\n

The work depends on the client and the problem you’re helping them solve. You might be researching and gathering information, like how have we helped another client with a similar challenge and how new technologies could help, updating project plans, as well as the delivery of the solution your client selects.

\r\n\r\n

About the graduate program

\r\n\r\n
    \r\n\t
  • For students in their final year of study in 2025 or who recently graduated and are not yet in professional work
  • \r\n\t
  • A one-year grow pathway with targeted coaching, support, and development as you grow your new career
  • \r\n\t
  • Real work from the start so you can make an impact and learn straightaway
  • \r\n\t
  • Start work in February 2026 (typically, some teams have a slightly different schedule) with a full-time and ongoing graduate role.
  • \r\n
\r\n\r\n

What grads say

\r\n\r\n

Whether it’s a client or other people around the office, I enjoy getting to know other people from all walks of life. (Tim, 2023 grad)

\r\n\r\n

It’s a safe environment to learn, grow, and even try and fail under some great mentors in my team. We all look out for each other when there are difficult and new tasks. (Cici, 2021 grad)

\r\n\r\n

Learning about the workings of the world and having the tools and skills to develop viable solutions for all sorts of problems is why I love my job. (Kanwal, 2023 grad)

\r\n\r\n

It's nice to be able to finish a job and sit back and be proud of the work we accomplished as a team. (Jessica, 2023 grad)

\r\n\r\n

I already get to work directly with company CFOs and management to help with accounting practices. (Andrew, 2023 grad)

\r\n\r\n

Big things on offer

\r\n\r\n
    \r\n\t
  • Coaching and feedback as standard: your own performance development manager and your broader team will help you build your skills with coaching and continuous feedback.
  • \r\n\t
  • Focus on your interpersonal skills: you got the degree, now learn how to use it in a corporate career by applying your knowledge to real-world problems and people.
  • \r\n\t
  • True commitment to wellbeing, diversity, and community: we regularly track our progress on 21 public commitments we’ve made on governance, people, planet, and prosperity in our Impact Plan, such as our gender pay gap, indigenous inclusion, mental health, learning, and more.
  • \r\n\t
  • Employee discounts: at 100s of stores (like JB HiFi, Woolworths, Airbnb, and more) with our SmartSpend app
  • \r\n\t
  • Build your network, friendships, and interests: clubs for a variety of interests from running to books, cooking, badminton, card games and so much more.
  • \r\n
\r\n\r\n

About KPMG

\r\n\r\n

In short, we’re the Australian arm of a global network of professional firms providing a full range of services to organisations across a wide range of industries, government, and not-for-profit sectors. We have deep expertise in audit and assurance, tax, and advisory. Read more about us on our page.

\r\n\r\n

Ready to apply?

\r\n\r\n

Get started now with the five-minute application form - you only need to complete one application form. If you’re interested in multiple areas, you can select them in your one application.

\r\n\r\n

If you’re eligible, you’ll receive our online testing information and be placed in our candidate pool for additional places to open in the 2025/26 Graduate Program. 

\r\n\r\n

During your recruitment journey, information will be provided about adjustment requests. If you require additional support before submitting your application, please contact our Talent Support Team - email: gradrecruiting@kpmg.com.au   

", - "company": { - "name": "KPMG Australia", - "website": "https://au.prosple.com/graduate-employers/kpmg-australia", - "logo": "https://connect-assets.prosple.com/cdn/ff/i1p9FkGcPrDK1L5os0kYye5bZlTwzY9q3UAonrPdtcg/1555993682/public/styles/scale_and_crop_center_80x80/public/2019-03/kpmg_global_logo.jpg" - }, - "application_url": "https://au.smrtr.io/RTp", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/kpmg-australia/jobs-internships/risk-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-10-07T12:59:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Sciences" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL" - ], - "created_at": { - "$date": "2025-01-18T08:20:40.138Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:40.138Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee53a" - }, - "title": "Graduate Program", - "description": "

Join the team redefining how the world experiences design.

\r\n\r\n

Hey, g'day, mabuhay, kia ora, 你好, hallo, vítejte!

\r\n\r\n

We’re looking for the next generation of Canvanauts! 

\r\n\r\n

Our Canva internship is a 12-week remote friendly program that runs over end of the year.  There will also be an opportunity to meet your team in person at our flagship campus in Sydney or Manila to experience all the magic of Canva in real life. So your summer time is sorted.

\r\n\r\n

As an Intern, you'll have the opportunity to work on real-life projects from start to finish. Along with this, we'll pair you with a Host and assign you a Buddy who will ensure your success every step of the intern journey. Think of them as your own personal intern tour guides. 

\r\n\r\n

You’ll be part of a welcoming and inclusive Early Talent community of peers that take pride in Canva’s culture of being good humans and empowering each other to achieve our big goals.

\r\n\r\n

Where and how you can work

\r\n\r\n

Our flagship campus is in Sydney, Australia. We also have a campus in Melbourne and co-working spaces in Brisbane, Perth and Adelaide. If you call New Zealand home, we have our Auckland co-working space too.

\r\n\r\n

But you have choice in where and how you work. That means if you want to do your thing in the office (if you're near one), at home or a bit of both, it's up to you. 

\r\n\r\n

What you’d be doing in this role

\r\n\r\n

As Canva scales change continues to be part of our DNA. But we like to think that's all part of the fun. So this will give you the flavour of the type of things you'll be working on when you start, but this will likely evolve. 

\r\n\r\n

At the moment, this role is focused on:

\r\n\r\n
    \r\n\t
  • Collaborating with the team to create visually compelling designs
  • \r\n\t
  • Working closely with the team to understand project requirements and objectives, and translate them into engaging and effective visual solutions.
  • \r\n\t
  • Working independently as needed
  • \r\n\t
  • Thinking strategically when working on projects and making design suggestions
  • \r\n\t
  • Helping in the process of gathering data and insights to inform product development
  • \r\n\t
  • Supporting the team in organising and maintaining design files, assets, and documentation.
  • \r\n\t
  • Contributing to brainstorming sessions and actively participating in creative discussions.
  • \r\n\t
  • Taking constructive feedback from team members and applying it to improve designs.
  • \r\n
\r\n\r\n

You're probably a match if

\r\n\r\n
    \r\n\t
  • You are currently enrolled and completing your studies between 2027 and mid-2028.
  • \r\n\t
  • You are currently based in Australia (citizen, PR, international student), or New Zealand (citizen).
  • \r\n\t
  • You are ready to present a portfolio of personal projects and case studies from inside or outside the classroom
  • \r\n\t
  • You have a stylistic approach and a strong understanding of what makes a good design based on design fundamentals, principles, and elements
  • \r\n\t
  • You have a keen understanding of design context-based on visual, cultural, and popular trends
  • \r\n\t
  • You have an eye for design and can visualize unique content
  • \r\n\t
  • You have a keen understanding of user interaction and the importance of usability
  • \r\n\t
  • You can effectively simplify design concepts and articulate ideas and blockers
  • \r\n\t
  • You have a passion for improving and streamlining processes
  • \r\n\t
  • You enjoy collaborative working environments and idea exchanges
  • \r\n\t
  • You have a good eye for animation & graphic design and are up to date with animation/graphic styles and trends
  • \r\n\t
  • You have the ability to receive constructive feedback on work.
  • \r\n\t
  • You are able to commit to the 12-week, full-time summer program from the last week of November to the last week of February. (We can provide some flexibility for dates that might overlap with university timelines.)
  • \r\n
\r\n\r\n

About the team

\r\n\r\n

More info to come when roles are live in 2025!

\r\n\r\n

Our recruitment timeline

\r\n\r\n

Roles will be live for 30 days. Following this advertisement closure date, successful applicants will be reached out to directly to proceed to the next step of our Canva Early Talent hiring process.

\r\n\r\n

Here at Canva, we endeavour to respond to every applicant regardless of the outcome, should you not be successful, we will respond to your application within 5 working days following this advertisement closure date.

\r\n\r\n

What's in it for you?

\r\n\r\n

Achieving our crazy big goals motivates us to work hard - and we do - but you'll experience lots of moments of magic, connectivity and fun woven throughout life at Canva, too. 

\r\n\r\n

Here's a taste of what's on offer:

\r\n\r\n
    \r\n\t
  • The opportunity to work on a real-life and impactful project from start to finish
  • \r\n\t
  • Mentorship from experienced Canvanauts
  • \r\n\t
  • Budget for Intern run social events throughout the program
  • \r\n\t
  • Flexible working schedule with access to an office a campus or a co-working hub if you live nearby
  • \r\n\t
  • A campus week in Sydney or another major city, where you'll get to meet your team in person and experience the Canva magic
  • \r\n
\r\n\r\n

Check out lifeatcanva for more info.

\r\n\r\n

Other stuff to know

\r\n\r\n

We make hiring decisions based on your experience, skills and passion, as well as how you can enhance Canva and our culture. When you apply, please tell us the pronouns you use and any reasonable adjustments you may need during the interview process. 

\r\n\r\n

Please note that interviews are conducted virtually. 

\r\n\r\n

Register your interest now! 

\r\n\r\n

We will let you know once this opportunity opens.

", - "company": { - "name": "Canva", - "website": "https://au.prosple.com/graduate-employers/canva", - "logo": "https://connect-assets.prosple.com/cdn/ff/2WCH6ipd-TwERf32YslC0XBD5-4Su0YC2ag8eKRUYV4/1711356421/public/styles/scale_and_crop_center_80x80/public/2024-03/logo-canva-480x480-2024.png" - }, - "application_url": "", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/canva/jobs-internships/graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-05-30T13:59:59.000Z" - }, - "locations": ["OTHERS"], - "study_fields": [ - "Creative Arts", - "Humanities, Arts & Social Sciences", - "IT & Computer Science" - ], - "working_rights": [ - "OTHER_RIGHTS", - "AUS_CITIZEN", - "AUS_PR", - "INTERNATIONAL", - "NZ_CITIZEN", - "NZ_PR" - ], - "created_at": { - "$date": "2025-01-18T08:20:45.654Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:45.654Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee53b" - }, - "title": "Communications Graduate Development Program", - "description": "

Who we are

\r\n\r\n

The Department of Climate Change, Energy, the Environment and Water (DCCEEW) was established on 1 July 2022 to deliver on the Australian Government’s climate change and energy agenda and protect Australia’s environment and water resources.

\r\n\r\n

We protect Australia’s natural environment and heritage sites. We help Australia respond to climate change and carefully manage our water and energy resources. 

\r\n\r\n

We deliver policies and programs to:

\r\n\r\n
    \r\n\t
  • help address climate change and build a more innovative, future ready energy system
  • \r\n\t
  • protect our unique environment, biodiversity and heritage
  • \r\n\t
  • manage Australia’s water resources for industry and regional communities
  • \r\n\t
  • advance Australia’s interests in the Antarctic and Southern Ocean.
  • \r\n
\r\n\r\n

We are informed by science. We are innovative and collaborative. We look to the future.

\r\n\r\n

About our program

\r\n\r\n

The Graduate Development Program is a pathway for graduates into our department. Our 12-month program is designed to develop your skills, capabilities and knowledge and set you up for a successful career in the Australian Public Service.

\r\n\r\n

As a graduate, you will work on some of the most important issues we are facing in Australia. Whether you are tackling climate change, advancing renewable energy, protecting our environment and national parks or securing Australia’s water resources, your work will be unique and impactful.

\r\n\r\n

Our program is a great opportunity for you to put your qualification, skills and ideas into practice. 

\r\n\r\n

You will join a diverse workforce of passionate and experienced professionals who will guide and support your development throughout and beyond the program.

\r\n\r\n

As a graduate, you will undertake:

\r\n\r\n
    \r\n\t
  • A tailored learning and development program delivered by the Australian Public Service Academy
  • \r\n\t
  • Three exciting and diverse rotations aligned to your skills and interests
  • \r\n\t
  • Networking activities and events
  • \r\n\t
  • In-house training and development opportunities.
  • \r\n
\r\n\r\n

Upon successful completion of the program, you will progress to an APS 5 level permanent role that is relevant to your skills, qualifications and interests.

\r\n\r\n

Due to the broad range of roles and responsibilities across our department, we have extensive career pathways in fields including science, technology, engineering and mathematics, policy development, program management, project management, research, compliance and regulation, operations and service delivery. 

\r\n\r\n

We also participate in the Australian Government Graduate Program Streams including:

\r\n\r\n
    \r\n\t
  • Data Stream
  • \r\n\t
  • Human Resources Stream
  • \r\n\t
  • Accounting and Financial Management Stream
  • \r\n\t
  • Indigenous Graduate Pathway
  • \r\n\t
  • Legal Stream
  • \r\n
", - "company": { - "name": "Department of Climate Change, Energy, the Environment and Water (DCCEEW)", - "website": "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew", - "logo": "https://connect-assets.prosple.com/cdn/ff/eAy1znwDaXGreFFqhxRfndihGehOxTbLtZQl8CCH-Mw/1678232701/public/styles/scale_and_crop_center_80x80/public/2023-03/logo-DCCEEW-480x480-2023.png" - }, - "application_url": "https://dcceewjobs.nga.net.au/?jati=AAE72898-23B7-2C21-E9BE-DA7C777A7C67", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/department-of-climate-change-energy-the-environment-and-water-dcceew/jobs-internships/communications-graduate-development-program-0" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-15T13:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Food, Hospitality & Personal Services", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education", - "Trades & Services" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:51.473Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:51.473Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee53c" - }, - "title": "Enterprise Services Graduate Program", - "description": "

Acknowledgement of Country

\r\n\r\n

CSIRO acknowledges the Traditional Owners of the land, sea and waters, of the area that we live and work on across Australia. We acknowledge their continuing connection to their culture and pay our respects to their Elders past and present. View our vision towards reconciliation

\r\n\r\n

What our graduate program can offer you 

\r\n\r\n

CSIRO is a preferred employer for early career researchers, and the Enterprise Services Graduate Program is a rare opportunity for non-research graduates to be part of the broader team solving impossible problems. As an Enterprise Services Graduate, you will be joining a team that prides itself on being an impact driven organisation.

\r\n\r\n

As a graduate you will join other like-minded graduates on this experience together. You will be provided with support, mentoring, a structured 18-month learning and development program, and rotations within several different areas that align with your skillset and career aspirations. At the completion of this program, you will take what you have learnt to settle into one area of specialty to continue a great career with CSIRO.

\r\n\r\n

What do we look for in our graduates?

\r\n\r\n

A successful graduate for CSIRO will be a bright, ambitious, driven individual who is keen to thrive at Australia's national science agency. As part of their respective support stream, they will partner with some of the brightest and most successful researchers in Australia and beyond, to achieve cutting edge work that has huge impact for the world. Solving Australia's greatest challenges is impossible without graduates. 

\r\n\r\n

Streams Available:

\r\n\r\n

We have graduate opportunities across our Enterprise Services portfolio.

\r\n\r\n

People and Culture
\r\nOur People team provides support and services that mirror our world-class science capability. Our teams work collaboratively to support our people and leaders at different points of the employee lifecycle, while leading our focus on culture, diversity and inclusion. Our team of Health, Safety and Environment (HSE) professionals advise and guide our research and non-research people to ensure a safe working environment.  

\r\n\r\n

Your grad experience in the People team will expose you to the employee lifecycle across a science, engineering and professional services environment.

\r\n\r\n

IT
\r\nOur team provides a range of secure information management and technology (IM&T) services, from hardware needs, cyber security and software tools to records management and high-performance supercomputing to give CSIRO the edge in the digital age.  The team play a leading role in the delivery of CSIRO’s continuing digital transformation and support the organisation’s evolution into Australia's national science agency of the future.

\r\n\r\n

As a graduate you could be involved in cyber security, business applications, web infrastructure, networks and more.

\r\n\r\n

Finance
\r\nThe Finance team supports CSIRO to assert and demonstrate our ability to be financially responsible, accountable and produce value to the nation through sound and transparent financial processes, procedures, and decision making. We also look after procurement and travel.

\r\n\r\n

Your graduate rotations could include budgets, financial accounting, performance and reporting, operations and more.

\r\n\r\n

Compliance, Risk and Governance
\r\nOur Governance team is responsible for facilitating CSIRO's legal and regulatory compliance through organisational frameworks, policies and procedures and direct advice.

\r\n\r\n

Your graduate rotations will involve work that is governance related and ensures we meet our legislative obligations as Australia’s national science agency.

\r\n\r\n

Property and Services
\r\nCSIRO’s Business and Infrastructure Services manage the construction, major upgrades, provision, operation and maintenance of CSIRO's properties including more than 890 buildings across 50 Australian sites. From office sites to state-of-the-art labs and the world-famous Parkes Murriyang Telescope.

\r\n\r\n

Our Strategy team leads the work on CSIRO’s Sustainability Strategy 2020-2030, a cohesive CSIRO-wide vision, strategic objectives, activities and initiatives, governance, metrics and reporting relating to CSIRO’s environmental and social impacts. 

\r\n\r\n

The Enterprise Project Management Office are key to delivering a common, cohesive and consistent approach to project delivery and change management within CSIRO.

\r\n\r\n

The Security and Resilience team protect our people, information and assets. 

\r\n\r\n

We are seeking one graduate to work in our Sustainability team and one graduate to work within our People Management team.

\r\n\r\n

Your graduate experience rotations could involve our many property projects for our national facilities and security requirements.

\r\n\r\n

Business Development and Commercialisation
\r\nOur Growth function supports delivery of CSIRO’s strategy to deliver maximum impact for the nation and to sustain the long-term financial health of the organisation. It works across customer management, commercialisation and equity, global engagement, intellectual property, commercial law, and program design and management. The team helps identify suitable markets, linking world-class scientific developments with industry, and help take research from the lab bench to the market, creating real-world economic, environmental, and society-wide value.

\r\n\r\n

As a graduate your work could involve experience in business development, intellectual property management, commercial contracting and much more.

\r\n\r\n

Requirements and eligibility

\r\n\r\n

To be eligible for our 2026 Graduate Program, you'll need to have:

\r\n\r\n
    \r\n\t
  • either Australian citizenship, New Zealand citizenship or Australian permanent residency (at the time of submitting this application)
  • \r\n\t
  • have completed your degree within the last 3 years (ie. 2023, 2024, 2025) or be completing your degree by January 2026
  • \r\n\t
  • be able to commence full-time employment by the required start date of February 2026.
  • \r\n
\r\n\r\n

Apply now - applications close 21 April 2025

", - "company": { - "name": "CSIRO", - "website": "https://au.prosple.com/graduate-employers/csiro", - "logo": "https://connect-assets.prosple.com/cdn/ff/RoTOUELI5240IvxUbWpWdFMlae1zr1yPMKlkf28ZiGY/1675998328/public/styles/scale_and_crop_center_80x80/public/2023-02/1675998322827_CSIRO_Solid_RGB_300px.png" - }, - "application_url": "https://csiro-applicationform2025-csiro.pushapply.com/", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/csiro/jobs-internships/enterprise-services-graduate-program" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-04-20T14:00:00.000Z" - }, - "locations": [ - "AUSTRALIA", - "ACT", - "NSW", - "NT", - "QLD", - "SA", - "TAS", - "VIC", - "WA" - ], - "study_fields": [ - "Business & Management", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Property & Built Environment" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR", "NZ_CITIZEN"], - "created_at": { - "$date": "2025-01-18T08:20:54.358Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:54.358Z" - } - }, - { - "_id": { - "$oid": "678b646ff2fda898063ee53d" - }, - "title": "Management Trainee Program – Marketing Stream", - "description": "

About our Program? 

\r\n\r\n

Our Management Trainee Program has been uniquely designed to build your business and leadership expertise, enriched with experiences and exposure to set you up for a successful career in L’Oréal. 

\r\n\r\n

Features:

\r\n\r\n
    \r\n\t
  • 2-3 Rotations (lasting 6months each) in your chosen stream across our 5 divisions (Consumer Products, Luxury Brands, Dermatological Beauty, Professional Salon Products and Corporate)
  • \r\n\t
  • Dedicated 1on1 Mentoring from our top talent management.
  • \r\n\t
  • Buddy Program with past Management Trainees
  • \r\n\t
  • Personal monthly catchups with our CEO & Senior Management Team
  • \r\n\t
  • Monthly moments with HR & Subject Matter Experts
  • \r\n\t
  • Be part of the international Management Trainee Cohort
  • \r\n\t
  • Permanent Contract with guaranteed role after completion
  • \r\n\t
  • Hands on experience in stores and conducting consumer research
  • \r\n\t
  • Supportive induction and dedicated 1 week onboarding to set you up for success
  • \r\n\t
  • Customised learning and development throughout the year – mix of soft and technical skill training to enhance your growth in the program
  • \r\n\t
  • Access to bespoke e-learning modules to upskill yourself at your own direction
  • \r\n\t
  • Be part of a vibrant cohort and enjoy social moments through the year
  • \r\n
\r\n\r\n

Perks:

\r\n\r\n

Contract benefits:

\r\n\r\n
    \r\n\t
  • Product Allowance to use across the company
  • \r\n\t
  • Access to discounted products through our on-site staff shop
  • \r\n\t
  • Leave benefits - extra 5 days of leave per year and 2 days of volunteering leave
  • \r\n\t
  • Profit Share Bonus
  • \r\n\t
  • Life insurance and Income Protection
  • \r\n
\r\n\r\n

Company benefits:

\r\n\r\n
    \r\n\t
  • Summer hours (Shorter Friday hours during summer)
  • \r\n\t
  • Invitation to L’Oréal and Divisional Signature Events
  • \r\n\t
  • On-site café with city and river views
  • \r\n\t
  • On-site gym which you can access for free
  • \r\n\t
  • Access to Health & Well-being programs throughout the year
  • \r\n\t
  • International career opportunities
  • \r\n\t
  • Hybrid working model – 60:40 Split Office vs. Home
  • \r\n
\r\n\r\n

About the Marketing Stream? 

\r\n\r\n
    \r\n\t
  • Variety of marketing roles from traditional brand marketing, product management, digital marketing, retail marketing, marketing insights to PR and Communications
  • \r\n\t
  • End-to-end exposure of traditional and digital marketing campaigns
  • \r\n\t
  • Developing communication strategies and working with influencers
  • \r\n\t
  • Liaising with PR agencies to produce press releases and social media campaigns
  • \r\n\t
  • Portfolio management and devising strategy for product launches and campaigns
  • \r\n\t
  • Creating online digital presence from website, CRM design to EDM send outs
  • \r\n\t
  • Exposure to operational marketing & marketing management
  • \r\n\t
  • Market, product & sales analysis, driving category insights to brand teams
  • \r\n
\r\n\r\n

Our marketing trainees have been involved in projects like the launching viral new products such as Prada Paradoxe and CeraVe's Skin Renewing Range, launching beauty technology services such as Spotscan, designing campaigns fit for new platforms such as Twitch, TikTok and Pinterest, creating influencer strategies for key brand events such as Australian Fashion Week, developing and pitching marketing strategies to internal senior stakeholders and external retail customers. 

\r\n\r\n

About you? 

\r\n\r\n

We are looking for passionate, entrepreneurial and innovative graduates to help us create the future of Beauty. You will forge your own career path, going beyond what you thought was possible by reacting fast and being able to hit the ground running. You will need to have leadership skills and be able to take direction as well. All background and disciplines are welcome. 

\r\n\r\n

You might be sporty, you might not. You can be an introvert or an extrovert. A beauty junkie, a data genius, or a crazy scientist. The point is, whoever you are, we want to hear from you.  Our teams are always there to help, celebrate and cheer one another! That’s what makes the glue of L’Oréal: the people. And that is something we’re proud of!  

\r\n\r\n

Freedom to go beyond:

\r\n\r\n

Some of our previous graduates are now launching new brands, others are spearheading process improvement projects and then there are those who are now high-flying professionals working across the world! One thing they all have in common is the profound impact made on our company. Because of this, we take great pride in our Management Trainees and as such, invest heavily in their training, support, and development. 

\r\n\r\n

Next steps? 

\r\n\r\n
    \r\n\t
  • Applications close at 11:59 pm AEST Sunday 31st March 2025
  • \r\n\t
  • Shortlisting will be done in April.
  • \r\n\t
  • Shortlisted candidates will be invited for a video interview and cognitive assessment.
  • \r\n\t
  • Those selected, will be invited to the assessment centre hosted at L’Oréal (6-10 May)
  • \r\n\t
  • Offers will be made by end of May
  • \r\n
\r\n\r\n

If you want to join the world’s largest beauty company and join us in creating beauty that moves the world, Pre-register now to get notified when the job is open!

\r\n\r\n

L'Oréal Australia & New Zealand is a supporter of reducing barriers that exist due to traditional working practices and therefore flexible work arrangements will be considered for this role. We are committed to achieving a diverse workforce and encourage applications from people with disability, Aboriginal and Torres Strait Islander peoples and people from culturally diverse backgrounds. We are an Employer of Choice for Gender Equality (WGEA) and a Family Friendly Workplace (Parents At Work & UNICEF). We hold a Reflect Reconciliation Action Plan and we acknowledge the Traditional Custodians of the lands on which we work and pay our respects to their Elders past and present.

", - "company": { - "name": "L'Oréal Australia and New Zealand", - "website": "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand", - "logo": "https://connect-assets.prosple.com/cdn/ff/Q_KIii4y0763fDN6UoVrE_HbLri-wM5nUEqUamrQoWc/1634801839/public/styles/scale_and_crop_center_80x80/public/2021-10/logo-loreal-480x480-2021.jpg" - }, - "application_url": "https://careers.loreal.com/en_US/jobs/JobDetail/L-Or-al-Management-Trainee-Program-2025/175027", - "wfh_status": null, - "source_urls": [ - "https://au.prosple.com/graduate-employers/loreal-australia-and-new-zealand/jobs-internships/management-trainee-program-marketing-stream" - ], - "type": "GRADUATE", - "close_date": { - "$date": "2025-03-30T13:00:00.000Z" - }, - "locations": ["AUSTRALIA", "VIC"], - "study_fields": [ - "Business & Management", - "Creative Arts", - "Engineering & Mathematics", - "Humanities, Arts & Social Sciences", - "IT & Computer Science", - "Law, Legal Studies & Justice", - "Medical & Health Sciences", - "Property & Built Environment", - "Sciences", - "Teaching & Education" - ], - "working_rights": ["OTHER_RIGHTS", "AUS_CITIZEN", "AUS_PR"], - "created_at": { - "$date": "2025-01-18T08:20:56.822Z" - }, - "updated_at": { - "$date": "2025-01-18T08:20:56.822Z" - } - } -] diff --git a/frontend/src/lib/mock-data.ts b/frontend/src/lib/mock-data.ts deleted file mode 100644 index a71a850..0000000 --- a/frontend/src/lib/mock-data.ts +++ /dev/null @@ -1,9 +0,0 @@ -// frontend/src/lib/mock-data.ts -import { Job } from "@/types/job"; -import jobsData from "./jobs.json"; -import { transformJobData } from "./transform-job-data"; - -// Honestly i don't know what this does and why is it here -// eslint-disable-next-line @typescript-eslint/ban-ts-comment -// @ts-expect-error -export const MOCK_JOBS: Job[] = (jobsData as never[]).map(transformJobData); diff --git a/frontend/src/lib/transform-job-data.ts b/frontend/src/lib/transform-job-data.ts deleted file mode 100644 index cb039dc..0000000 --- a/frontend/src/lib/transform-job-data.ts +++ /dev/null @@ -1,41 +0,0 @@ -// frontend/src/lib/transform-job-data.ts -interface MongoDBJob { - _id: { $oid: string }; - title: string; - description: string; - company: { - name: string; - website: string; - logo?: string; - }; - application_url: string; - wfh_status: string | null; - type: string; - close_date: { $date: string }; - locations: string[]; - study_fields: string[]; - working_rights: string[]; - created_at: { $date: string }; - updated_at: { $date: string }; -} - -export function transformJobData(mongoJob: MongoDBJob) { - return { - id: mongoJob._id.$oid, - title: mongoJob.title, - company: { - name: mongoJob.company.name, - website: mongoJob.company.website, - }, - description: mongoJob.description, - type: mongoJob.type, - locations: mongoJob.locations, - studyFields: mongoJob.study_fields, - workingRights: mongoJob.working_rights, - applicationUrl: mongoJob.application_url, - closeDate: new Date(mongoJob.close_date.$date).toISOString(), - startDate: new Date(mongoJob.created_at.$date).toISOString(), - createdAt: new Date(mongoJob.created_at.$date).toISOString(), - updatedAt: new Date(mongoJob.updated_at.$date).toISOString(), - }; -} From 8a1f1d6d21265dc4794af567d796596b7ed0afa3 Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:17:50 +1100 Subject: [PATCH 19/23] cleanup types and refactor context --- .../{jobs => filter}/filter-context.tsx | 24 +------ .../{jobs => filter}/filter-provider.tsx | 20 +++++- frontend/src/types/api.ts | 12 ---- frontend/src/types/filters.ts | 47 ++----------- frontend/src/types/job.ts | 68 +++++++++++-------- 5 files changed, 63 insertions(+), 108 deletions(-) rename frontend/src/context/{jobs => filter}/filter-context.tsx (54%) rename frontend/src/context/{jobs => filter}/filter-provider.tsx (59%) delete mode 100644 frontend/src/types/api.ts diff --git a/frontend/src/context/jobs/filter-context.tsx b/frontend/src/context/filter/filter-context.tsx similarity index 54% rename from frontend/src/context/jobs/filter-context.tsx rename to frontend/src/context/filter/filter-context.tsx index 68a3be1..6bcdde1 100644 --- a/frontend/src/context/jobs/filter-context.tsx +++ b/frontend/src/context/filter/filter-context.tsx @@ -2,35 +2,13 @@ // frontend/src/context/jobs/filter-context.tsx import { createContext, useContext } from "react"; -import { JobFilters, SortBy } from "@/types/filters"; - -export interface FilterState { - filters: JobFilters; - totalJobs: number; - isLoading: boolean; - error: Error | null; -} +import { FilterState } from "@/types/filters"; interface FilterContextType { filters: FilterState; updateFilters: (filters: Partial) => void; } -export const initialState: FilterState = { - filters: { - search: "", - industryFields: [], - jobTypes: [], - locations: [], - workingRights: [], - page: 1, - sortBy: SortBy.RECENT, - }, - totalJobs: 0, - isLoading: false, - error: null, -}; - export const FilterContext = createContext( undefined, ); diff --git a/frontend/src/context/jobs/filter-provider.tsx b/frontend/src/context/filter/filter-provider.tsx similarity index 59% rename from frontend/src/context/jobs/filter-provider.tsx rename to frontend/src/context/filter/filter-provider.tsx index 70fc91d..fe69185 100644 --- a/frontend/src/context/jobs/filter-provider.tsx +++ b/frontend/src/context/filter/filter-provider.tsx @@ -2,12 +2,28 @@ "use client"; import { ReactNode, useState } from "react"; -import { FilterContext, FilterState, initialState } from "./filter-context"; +import { FilterContext } from "./filter-context"; import { useRouter } from "next/navigation"; import { CreateQueryString } from "@/lib/utils"; +import { FilterState, SortBy } from "@/types/filters"; + +const emptyFilterState: FilterState = { + filters: { + search: "", + industryFields: [], + jobTypes: [], + locations: [], + workingRights: [], + page: 1, + sortBy: SortBy.RECENT, + }, + totalJobs: 0, + isLoading: false, + error: null, +}; export function FilterProvider({ children }: { children: ReactNode }) { - const [filters, setFilters] = useState(initialState); + const [filters, setFilters] = useState(emptyFilterState); const router = useRouter(); const updateFilters = (newFilters: Partial) => { diff --git a/frontend/src/types/api.ts b/frontend/src/types/api.ts deleted file mode 100644 index 2056c84..0000000 --- a/frontend/src/types/api.ts +++ /dev/null @@ -1,12 +0,0 @@ -// frontend/src/types/api.ts -import { Job } from "@/types/job"; - -export interface JobsResponse { - jobs: Job[]; - total: number; -} - -export interface ApiError { - message: string; - code: string; -} diff --git a/frontend/src/types/filters.ts b/frontend/src/types/filters.ts index 7046ae8..ecec4ba 100644 --- a/frontend/src/types/filters.ts +++ b/frontend/src/types/filters.ts @@ -19,44 +19,9 @@ export enum SortBy { RELEVANT = "relevant", } -// These are commonly used filter options that will be used across components -export const JOB_TYPES: readonly JobType[] = [ - "EOI", - "FIRST_YEAR", - "INTERN", - "GRADUATE", - "OTHER", -] as const; - -export const WORKING_RIGHTS: readonly WorkingRight[] = [ - "AUS_CITIZEN", - "AUS_PR", - "NZ_CITIZEN", - "NZ_PR", - "INTERNATIONAL", - "WORK_VISA", - "VISA_SPONSORED", - "OTHER_RIGHTS", -] as const; - -export const LOCATIONS: readonly LocationType[] = [ - "VIC", - "NSW", - "QLD", - "WA", - "NT", - "SA", - "ACT", - "TAS", - "AUSTRALIA", - "OTHERS", -] as const; - -export const INDUSTRY_FIELDS: readonly IndustryField[] = [ - "CONSULTING", - "BANKS", - "BIG_TECH", - "TECH", - "QUANT_TRADING", - "OTHER_INDUSTRY", -] as const; +export interface FilterState { + filters: JobFilters; + totalJobs: number; + isLoading: boolean; + error: Error | null; +} diff --git a/frontend/src/types/job.ts b/frontend/src/types/job.ts index fbb7fa9..8098871 100644 --- a/frontend/src/types/job.ts +++ b/frontend/src/types/job.ts @@ -1,33 +1,42 @@ // frontend/src/types/job.ts -export type JobType = "EOI" | "FIRST_YEAR" | "INTERN" | "GRADUATE" | "OTHER"; -export type LocationType = - | "VIC" - | "NSW" - | "QLD" - | "WA" - | "NT" - | "SA" - | "ACT" - | "TAS" - | "AUSTRALIA" - | "OTHERS"; -export type WFHStatus = "HYBRID" | "REMOTE" | "OFFICE"; -export type WorkingRight = - | "AUS_CITIZEN" - | "AUS_PR" - | "NZ_CITIZEN" - | "NZ_PR" - | "INTERNATIONAL" - | "WORK_VISA" - | "VISA_SPONSORED" - | "OTHER_RIGHTS"; -export type IndustryField = - | "CONSULTING" - | "BANKS" - | "BIG_TECH" - | "TECH" - | "QUANT_TRADING" - | "OTHER_INDUSTRY"; +export const JOB_TYPES = ["FIRST_YEAR", "INTERN", "GRADUATE", "OTHER"] as const; +export type JobType = (typeof JOB_TYPES)[number]; + +export const LOCATIONS = [ + "VIC", + "NSW", + "QLD", + "WA", + "NT", + "SA", + "ACT", + "TAS", + "AUSTRALIA", + "OTHERS", +] as const; +export type LocationType = (typeof LOCATIONS)[number]; + +export const WORKING_RIGHTS = [ + "AUS_CITIZEN", + "AUS_PR", + "NZ_CITIZEN", + "NZ_PR", + "INTERNATIONAL", + "WORK_VISA", + "VISA_SPONSORED", + "OTHER_RIGHTS", +] as const; +export type WorkingRight = (typeof WORKING_RIGHTS)[number]; + +export const INDUSTRY_FIELDS = [ + "CONSULTING", + "BANKS", + "BIG_TECH", + "TECH", + "QUANT_TRADING", + "OTHER_INDUSTRY", +] as const; +export type IndustryField = (typeof INDUSTRY_FIELDS)[number]; export interface Company { name: string; @@ -41,7 +50,6 @@ export interface Job { description?: string; company: Company; applicationUrl?: string; - wfhStatus?: WFHStatus; sourceUrls: string[]; type?: JobType; openDate?: string; From 4ce9b6e3e8d01b527f3a8350ba071647fa8cc0c7 Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:18:19 +1100 Subject: [PATCH 20/23] migrate to server actions --- frontend/src/app/api/jobs/route.ts | 145 ----------------------------- frontend/src/app/jobs/actions.ts | 67 +++++++++++++ frontend/src/app/jobs/page.tsx | 5 +- frontend/src/lib/fetch-jobs.ts | 88 ----------------- frontend/src/lib/utils.ts | 31 +++++- repo-to-text.js | 1 + 6 files changed, 100 insertions(+), 237 deletions(-) delete mode 100644 frontend/src/app/api/jobs/route.ts create mode 100644 frontend/src/app/jobs/actions.ts delete mode 100644 frontend/src/lib/fetch-jobs.ts diff --git a/frontend/src/app/api/jobs/route.ts b/frontend/src/app/api/jobs/route.ts deleted file mode 100644 index 0f54236..0000000 --- a/frontend/src/app/api/jobs/route.ts +++ /dev/null @@ -1,145 +0,0 @@ -import { NextResponse } from "next/server"; -import { MongoClient } from "mongodb"; - -/** - * @api {get} /api/jobs Get Job Listings - * @apiName GetJobs - * @apiGroup Jobs - * @apiDescription Fetches job listings from the database with optional filtering and pagination - * - * @apiQuery {Number} [offset] Number of records to skip (for pagination) - * @apiQuery {Number} [limit] Maximum number of records to return (for pagination) - * @apiQuery {Boolean} [outdated=false] Include outdated job listings (default: false) - * @apiQuery {String} [working_rights] Comma-separated list of working rights to filter by - * @apiQuery {String} [types] Comma-separated list of job types to filter by - * @apiQuery {String} [industry_fields] Comma-separated list of industry fields to filter by - * @apiQuery {String} [keyword] Search keyword to match against job titles or company names - * - * @apiSuccess {Object[]} jobs Array of job listings - * @apiSuccess {String} jobs._id Job ID - * @apiSuccess {String} jobs.title Job title - * @apiSuccess {String} jobs.description Job description - * @apiSuccess {Object} jobs.company Company information - * @apiSuccess {String} jobs.company.name Company name - * @apiSuccess {String} jobs.company.website Company website - * @apiSuccess {String} [jobs.company.logo] URL to company logo - * @apiSuccess {String} jobs.application_url URL to apply for the job - * @apiSuccess {String} jobs.type Job type (EOI, FIRST_YEAR, INTERN, GRADUATE) - * @apiSuccess {String[]} jobs.working_rights List of required working rights - * @apiSuccess {String[]} jobs.industry_fields List of relevant industry fields - * @apiSuccess {String} [jobs.close_date] Job closing date (if applicable) - * @apiSuccess {String[]} jobs.source_urls URLs where the job was sourced from - * @apiSuccess {Boolean} jobs.outdated Whether the job listing is outdated - * - * @apiError (500) InternalServerError Failed to fetch jobs from database - * - * @apiExample {curl} Example usage: - * curl -X GET "http://localhost:3000/api/jobs?offset=10&limit=20&types=INTERN,GRADUATE&keyword=engineer" - */ -export async function GET(request: Request) { - const { searchParams } = new URL(request.url); - const offset = searchParams.get("offset") - ? parseInt(searchParams.get("offset")!, 10) - : undefined; - const limit = searchParams.get("limit") - ? parseInt(searchParams.get("limit")!, 10) - : undefined; - const outdated = searchParams.get("outdated") === "true"; - - // Working Rights Filter - const working_rights = searchParams - .get("working_rights") - ?.split(",") - .map((right) => right.toUpperCase()) as string[]; - - // Type Filter - const types = searchParams - .get("types") - ?.split(",") - .map((type) => type.toUpperCase()) as string[]; - - // Industry Field Filter - const industry_fields = searchParams - .get("industry_fields") - ?.split(",") - .map((field) => field.toUpperCase()) as string[]; - - // Keyword Search - const keyword = searchParams.get("keyword")?.toLowerCase(); - - const client = new MongoClient(process.env.MONGODB_URI ?? ""); - - // Uncomment for logging - // console.log("type", types); - // console.log("industry_fields", industry_fields); - // console.log("working_rights", working_rights); - // console.log("keyword", keyword); - // console.log("offset", offset); - // console.log("limit", limit); - // console.log("outdated", outdated); - - try { - await client.connect(); - const database = client.db("default"); - const collection = database.collection("active_jobs"); - - const query: { - outdated?: boolean; - working_rights?: { $in: string[] }; - type?: { $in: string[] }; - industry_field?: { $in: string[] }; - $or?: { - title?: { - $regex: string; - $options: string; - }; - "company.name"?: { $regex: string; $options: string }; - }[]; - } = outdated ? {} : { outdated: false }; - - if (working_rights?.length) { - query.working_rights = { $in: working_rights }; - } - - if (types?.length) { - query.type = { $in: types }; - } - - if (industry_fields?.length) { - query.industry_field = { $in: industry_fields }; - } - - if (keyword) { - query.$or = [ - { title: { $regex: keyword, $options: "i" } }, - { "company.name": { $regex: keyword, $options: "i" } }, - ]; - } - let cursor = collection.find(query); - - if (offset !== undefined) { - cursor = cursor.skip(offset); - } - - if (limit !== undefined) { - cursor = cursor.limit(limit); - } - - // Get total count before applying limit - const total = await collection.countDocuments(query); - - const jobs = await cursor.toArray(); - - return NextResponse.json( - { jobs, total }, - { - headers: { "Content-Type": "application/json" }, - }, - ); - } catch (error) { - console.error(error); - return NextResponse.error(); - } finally { - await client.close(); - } -} diff --git a/frontend/src/app/jobs/actions.ts b/frontend/src/app/jobs/actions.ts new file mode 100644 index 0000000..00f364c --- /dev/null +++ b/frontend/src/app/jobs/actions.ts @@ -0,0 +1,67 @@ +// /src/app/jobs/actions.ts +"use server"; + +import { MongoClient, ObjectId } from "mongodb"; +import { JobFilters } from "@/types/filters"; +import { Job } from "@/types/job"; +import serializeJob from "@/lib/utils"; + +const PAGE_SIZE = 20; + +export interface MongoJob extends Omit { + _id: ObjectId; +} + +export async function getJobs(filters: Partial): Promise { + if (!process.env.MONGODB_URI) { + throw new Error( + "MongoDB URI is not configured. Please check environment variables.", + ); + } + + const client = new MongoClient(process.env.MONGODB_URI ?? ""); + + try { + await client.connect(); + const collection = client.db("default").collection("active_jobs"); + + const query = { + outdated: false, + ...(filters.workingRights?.length && { + working_rights: { $in: filters.workingRights }, + }), + ...(filters.jobTypes?.length && { type: { $in: filters.jobTypes } }), + ...(filters.industryFields?.length && { + industry_field: { $in: filters.industryFields }, + }), + ...(filters.search && { + $or: [ + { title: { $regex: filters.search, $options: "i" } }, + { "company.name": { $regex: filters.search, $options: "i" } }, + ], + }), + }; + + const page = filters.page || 1; + const skip = (page - 1) * PAGE_SIZE; + + const jobs = (await collection + .find(query) + .skip(skip) + .limit(PAGE_SIZE) + .toArray()) as MongoJob[]; + + return jobs.map(serializeJob); + } catch (error) { + console.error("Server Error:", { + error, + timestamp: new Date().toISOString(), + filters, + }); + throw new Error( + "Failed to fetch jobs from the server. Check the server console for more details.", + ); + } finally { + await client.close(); + } +} diff --git a/frontend/src/app/jobs/page.tsx b/frontend/src/app/jobs/page.tsx index 813789f..281d7df 100644 --- a/frontend/src/app/jobs/page.tsx +++ b/frontend/src/app/jobs/page.tsx @@ -3,8 +3,8 @@ import FilterSection from "@/components/jobs/filters/filter-section"; import JobList from "@/components/jobs/details/job-list"; import JobDetails from "@/components/jobs/details/job-details"; import { Title } from "@mantine/core"; -import { fetchJobs } from "@/lib/fetch-jobs"; import { JobFilters } from "@/types/filters"; +import { getJobs } from "@/app/jobs/actions"; export default async function JobsPage({ searchParams, @@ -14,7 +14,7 @@ export default async function JobsPage({ // https://nextjs.org/docs/app/api-reference/file-conventions/page#searchparams-optional // searchParams is a promise that resolves to an object containing the search // parameters of the current URL. - const { jobs } = await fetchJobs(await searchParams); + const jobs = await getJobs(await searchParams); return (
@@ -27,7 +27,6 @@ export default async function JobsPage({
- {/* Sticky Job Details - hidden on mobile, 70% on desktop */}
diff --git a/frontend/src/lib/fetch-jobs.ts b/frontend/src/lib/fetch-jobs.ts deleted file mode 100644 index 04f0757..0000000 --- a/frontend/src/lib/fetch-jobs.ts +++ /dev/null @@ -1,88 +0,0 @@ -import { Job } from "@/types/job"; -import { JobFilters, SortBy } from "@/types/filters"; -import { headers } from "next/headers"; - -export interface JobsApiResponse { - jobs: Job[]; - total: number; -} - -const PAGE_SIZE = 20; // Number of jobs per page -const MONGODB_URI = process.env.MONGODB_URI; - -/** - * Fetches jobs from the API given a set of filters - * This should not be manually called, rather done through the JobsPage component - * See api/jobs/route.ts for the API implementation details - * - * @param filters - Filters to apply to the job search - * @returns - A list of jobs and the total number of matching jobs - */ -export async function fetchJobs( - filters: Partial, -): Promise { - try { - if (!MONGODB_URI) { - throw new Error( - "MongoDB URI is not configured. Please check environment variables.", - ); - } - - const baseUrl = process.env.NEXT_PUBLIC_BASE_URL || "http://localhost:3000"; - const url = new URL("/api/jobs", baseUrl); - - // Pagination - const page = filters.page || 1; - url.searchParams.set("offset", String((page - 1) * PAGE_SIZE)); - url.searchParams.set("limit", String(PAGE_SIZE)); - - // Filters - if (filters.search) { - url.searchParams.set("keyword", filters.search); - } - - if (filters.jobTypes?.length) { - url.searchParams.set("types", filters.jobTypes.join(",")); - } - - if (filters.industryFields?.length) { - url.searchParams.set("industry_fields", filters.industryFields.join(",")); - } - - if (filters.workingRights?.length) { - url.searchParams.set("working_rights", filters.workingRights.join(",")); - } - - // TODO: implement sorting - // Sorting - if (filters.sortBy === SortBy.RECENT) { - // API should sort by createdAt descending by default - } else if (filters.sortBy === SortBy.RELEVANT) { - // API should implement relevance scoring - } - - const response = await fetch(url.toString()); - - if (!response.ok) { - throw new Error( - `[${response.status}] Unable to fetch from MongoDB. ${response.body}. URL Used ${url.toString()}`, - ); - } - - const { jobs, total } = (await response.json()) as JobsApiResponse; - - return { - jobs, - total, - }; - } catch (error) { - console.error("Server Error:", { - error, - timestamp: new Date().toISOString(), - filters, - }); - throw new Error( - "Failed to fetch jobs from the server. Check the server console for more details.", - ); - } -} diff --git a/frontend/src/lib/utils.ts b/frontend/src/lib/utils.ts index 4475f37..b322354 100644 --- a/frontend/src/lib/utils.ts +++ b/frontend/src/lib/utils.ts @@ -1,4 +1,6 @@ -import { FilterState } from "@/context/jobs/filter-context"; +import { FilterState } from "@/types/filters"; +import { Job } from "@/types/job"; +import { MongoJob } from "@/app/jobs/actions"; export function CreateQueryString(filters: Partial): string { const params = new URLSearchParams(); @@ -15,3 +17,30 @@ export function CreateQueryString(filters: Partial): string { return params.toString(); } + +type MongoDate = Date | string | null | undefined; + +function serializeDate(date: MongoDate): string { + if (!date) return ""; + if (typeof date === "string") return date; + return new Date(date).toISOString(); +} + +export default function serializeJob(job: MongoJob): Job { + return { + id: job._id.toString(), + title: job.title, + company: job.company, + sourceUrls: job.sourceUrls, + locations: job.locations, + studyFields: job.studyFields, + industryField: job.industryField, + workingRights: job.workingRights, + createdAt: serializeDate(job.createdAt), + updatedAt: serializeDate(job.updatedAt), + type: job.type, + description: job.description, + applicationUrl: job.applicationUrl, + closeDate: serializeDate(job.closeDate), + }; +} diff --git a/repo-to-text.js b/repo-to-text.js index c449c0b..1b65536 100644 --- a/repo-to-text.js +++ b/repo-to-text.js @@ -24,6 +24,7 @@ const EXCLUDED_FILES = [ "export-script.js", "package-lock.json", "README.md", + ".env" ]; const ALLOWED_EXTENSIONS = new Set([ ".ts", // TypeScript From 39cc70f8c2c0f1a891e811ac7c16104902f942df Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:18:26 +1100 Subject: [PATCH 21/23] left over from type refactor --- frontend/src/app/jobs/layout.tsx | 2 +- frontend/src/components/jobs/filters/dropdown-filter.tsx | 2 +- frontend/src/components/jobs/filters/dropdown-sort.tsx | 2 +- frontend/src/components/jobs/filters/filter-section.tsx | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/frontend/src/app/jobs/layout.tsx b/frontend/src/app/jobs/layout.tsx index c8f8b46..233da44 100644 --- a/frontend/src/app/jobs/layout.tsx +++ b/frontend/src/app/jobs/layout.tsx @@ -1,4 +1,4 @@ -import { FilterProvider } from "@/context/jobs/filter-provider"; +import { FilterProvider } from "@/context/filter/filter-provider"; import { PropsWithChildren } from "react"; export default function JobsLayout({ children }: PropsWithChildren) { diff --git a/frontend/src/components/jobs/filters/dropdown-filter.tsx b/frontend/src/components/jobs/filters/dropdown-filter.tsx index 7542dd5..750c74b 100644 --- a/frontend/src/components/jobs/filters/dropdown-filter.tsx +++ b/frontend/src/components/jobs/filters/dropdown-filter.tsx @@ -1,5 +1,5 @@ import { Select } from "@mantine/core"; -import { useFilterContext } from "@/context/jobs/filter-context"; +import { useFilterContext } from "@/context/filter/filter-context"; import { JobFilters } from "@/types/filters"; interface DropdownFilterProps { diff --git a/frontend/src/components/jobs/filters/dropdown-sort.tsx b/frontend/src/components/jobs/filters/dropdown-sort.tsx index 555ff02..edc047b 100644 --- a/frontend/src/components/jobs/filters/dropdown-sort.tsx +++ b/frontend/src/components/jobs/filters/dropdown-sort.tsx @@ -1,5 +1,5 @@ import { Select } from "@mantine/core"; -import { useFilterContext } from "@/context/jobs/filter-context"; +import { useFilterContext } from "@/context/filter/filter-context"; export default function DropdownSort() { const { filters } = useFilterContext(); diff --git a/frontend/src/components/jobs/filters/filter-section.tsx b/frontend/src/components/jobs/filters/filter-section.tsx index b901a87..81cca60 100644 --- a/frontend/src/components/jobs/filters/filter-section.tsx +++ b/frontend/src/components/jobs/filters/filter-section.tsx @@ -2,7 +2,7 @@ import DropdownSort from "@/components/jobs/filters/dropdown-sort"; import { Text } from "@mantine/core"; -import { useFilterContext } from "@/context/jobs/filter-context"; +import { useFilterContext } from "@/context/filter/filter-context"; export default function FilterSection() { const { filters } = useFilterContext(); From 9ad6ccc4befc2fd5e97a3e0973152e728ae7c2fa Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 02:23:19 +1100 Subject: [PATCH 22/23] remove mock data - re-implement this later --- frontend/src/app/jobs/[id]/@modal/default.tsx | 29 +------------------ 1 file changed, 1 insertion(+), 28 deletions(-) diff --git a/frontend/src/app/jobs/[id]/@modal/default.tsx b/frontend/src/app/jobs/[id]/@modal/default.tsx index 91019e4..338d744 100644 --- a/frontend/src/app/jobs/[id]/@modal/default.tsx +++ b/frontend/src/app/jobs/[id]/@modal/default.tsx @@ -1,29 +1,4 @@ -import JobDetails from "@/components/jobs/details/job-details"; - import { Modal, ScrollArea } from "@mantine/core"; -import { Job } from "@/types/job"; - -const mockJobDetails: Job = { - id: "12345", - title: "Frontend Developer IF YOU ARE SEEING THIS, THE FETCH FAILED", - company: { - name: "Reserve Bank of Australiaaaaa", - website: "https://techcorp.com", - logo: "https://connect-assets.prosple.com/cdn/ff/LxBzK0I5Jr8vU1WcXce4lf873yPS9Q67rLOugmUXsJI/1568086775/public/styles/scale_and_crop_center_120x120/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg?itok=T1OmQAn3https://connect-assets.prosple.com/cdn/ff/Ayx_liRamnduFSV1FsycoYaBNWIUiZfwkbuzQXDplKU/1568591959/public/styles/scale_and_crop_center_80x80/public/2019-09/Logo-australian-security-intelligence-organisation-asio-120x120-2019.jpg", - }, - description: - '

Your role

\r\n\r\n

Key responsibilities are as follows:

\r\n\r\n
    \r\n\t
  • Deploy and configure business systems to meet client needs.
  • \r\n\t
  • Perform systems process mapping and conduct needs analysis sessions with clients.
  • \r\n\t
  • Ensure seamless integration with existing infrastructure and processes.
  • \r\n\t
  • Customize system settings to optimize performance and functionality.
  • \r\n\t
  • Ensure compliance with industry standards and best practices.
  • \r\n\t
  • Conduct thorough testing and validation of system implementations.
  • \r\n
\r\n\r\n

About you

\r\n\r\n

The ideal candidate will have:

\r\n\r\n
    \r\n\t
  • A recent third-level qualification in a tech-focused discipline.
  • \r\n\t
  • A base-level understanding of system architecture and design principles.
  • \r\n\t
  • Exposure to database management and data integration techniques is a bonus.
  • \r\n\t
  • A willingness to learn and enthusiasm for digital trends.
  • \r\n
\r\n\r\n

Compensation & benefits

\r\n\r\n

Enjoy a competitive salary, free weekly lunches, social events, flexible working options, and modern offices in the CBD.

\r\n\r\n

Training & development

\r\n\r\n

Benefit from mentoring, coaching, and both internal and external training programs to enhance your career skills.

\r\n\r\n

Career progression

\r\n\r\n

Opportunities for career advancement as BlueRock Digital continues to grow, with the potential to take on more senior roles.

\r\n\r\n

Report this job

', - type: "GRADUATE", - locations: ["VIC", "NSW", "TAS", "OTHERS", "QLD"], - industryField: "BIG_TECH", - sourceUrls: ["https://www.seek.com.au/job/12345"], - studyFields: ["IT & Computer Science", "Engineering & Mathematics"], - workingRights: ["AUS_CITIZEN", "OTHER_RIGHTS"], - applicationUrl: "https://careers.mcdonalds.com.au/", - closeDate: "2025-01-15T00:00:00Z", - createdAt: "2025-01-01T00:00:00Z", - updatedAt: "2025-01-01T00:00:00Z", -}; export default function JobModal() { return ( @@ -33,8 +8,6 @@ export default function JobModal() { size="lg" title="Job Details" scrollAreaComponent={ScrollArea} - > - - + > ); } From 61d8268c531fb5eda41a7df7ac836e2795d3319b Mon Sep 17 00:00:00 2001 From: Ed Date: Mon, 27 Jan 2025 03:09:29 +1100 Subject: [PATCH 23/23] comment util functions --- frontend/src/lib/utils.ts | 25 +++++++++++++++++++++++++ 1 file changed, 25 insertions(+) diff --git a/frontend/src/lib/utils.ts b/frontend/src/lib/utils.ts index b322354..10e7a91 100644 --- a/frontend/src/lib/utils.ts +++ b/frontend/src/lib/utils.ts @@ -2,6 +2,15 @@ import { FilterState } from "@/types/filters"; import { Job } from "@/types/job"; import { MongoJob } from "@/app/jobs/actions"; +/** + * Creates a URL query string from a partial FilterState object. + * Called when the user updates the filter state to generate the new + * URL to navigate to. + * + * @param filters - Partial FilterState containing the filter parameters to convert + * @returns A URL-encoded query string + * + */ export function CreateQueryString(filters: Partial): string { const params = new URLSearchParams(); @@ -20,12 +29,28 @@ export function CreateQueryString(filters: Partial): string { type MongoDate = Date | string | null | undefined; +/** + * Internal helper function to safely serialize MongoDB dates to ISO strings + * + * @param date - Date value from MongoDB that could be a Date object, string, null, or undefined + * @returns An ISO date string or empty string if the date is invalid/missing + * + * @internal This is a helper function used by serializeJob + */ function serializeDate(date: MongoDate): string { if (!date) return ""; if (typeof date === "string") return date; return new Date(date).toISOString(); } +/** + * Converts a MongoDB job document into the frontend Job type + * Handles the conversion of MongoDB's _id to string id and ensures + * all dates are properly serialized + * + * @param job - Raw job document from MongoDB + * @returns A serialized Job object suitable for frontend use + */ export default function serializeJob(job: MongoJob): Job { return { id: job._id.toString(),