text
stringlengths 7
3.69M
|
|---|
import React, { Component } from 'react';
class ResetButton extends React.Component {
constructor(props){
super(props)
}
render(){
return(
<div id="btn-div">
<button id="reset-btn" onClick={this.props.handleClick}>Reset</button>
</div>
)
}
}
export default ResetButton;
|
const https = require('https')
const options = {
hostname: 'www.google.com',
port: 443,
pathname: 'search',
method: 'GET'
}
const request = https.request(options, (response) => {
console.log(response.statusCode)
response.on('data', (body) => {
process.stdout.write(body)
})
})
request.end()
|
TextBox = function (dbType,id,label,valueArray,tagCount,nVis,nEditable) {
this.dbType = dbType;
this.id = id;
this.label = label;
this.valueArray = valueArray;
this.tagCount = tagCount;
this.nVis = nVis;
this.nEditable = nEditable;
TextBox.baseConstructor.call(id,label,valueArray,tagCount);
};
TextBox.prototype = {
generate: function () {
var htmlContent = "";
htmlContent = htmlContent+'<input class="taxtfield_tag" onkeypress="return validateInputData(event,"'+this.dbType+'");" id="value_id_'+this.tagCount+'" type="text" name="'+this.label+'" value="'+this.valueArray[0].Value+'"';
if(this.nEditable=='false'){
htmlContent = htmlContent+' readonly ';
}
var style = ' style="font-size:12px; ';
if(this.nVis=='false'){
style = style + ' display:none';
}
htmlContent+=style;
htmlContent = htmlContent+'"/>';
return htmlContent;
}
};
ReadOnly = function (id,label,valueArray,tagCount,nVis,nEditable) {
this.id = id;
this.label = label;
this.valueArray = valueArray;
this.tagCount = tagCount;
this.nVis = nVis;
this.nEditable = nEditable;
ReadOnly.baseConstructor.call(id,label,valueArray,tagCount);
};
ReadOnly.prototype = {
generate: function () {
var htmlContent = "";
htmlContent = htmlContent+'<input class="taxtfield_tag" id="value_id_'+this.tagCount+'" type="text" readonly value="'+this.valueArray[0].Value+'"';
var style = ' style="width:50px; border:1px solid #848484;';
if(this.nVis=='false'){
style = style + ' display:none';
}
htmlContent+=style;
htmlContent = htmlContent+'"/>';
return htmlContent;
}
};
DateComponent = function (id,label,valueArray,tagCount,nVis,nEditable) {
this.id = id;
this.label = label;
this.valueArray = valueArray;
this.tagCount = tagCount;
this.nVis = nVis;
this.nEditable = nEditable;
DateComponent.baseConstructor.call(id,label,valueArray,tagCount);
};
DateComponent.prototype = {
generate: function () {
var htmlContent = "";
htmlContent = htmlContent+'<input id="value_id_'+this.tagCount+'" type="text" name="'+this.label+'" readonly value="'+this.valueArray[0].Value+'" class="taxtfield_tag';
if(this.nEditable=='true'){
htmlContent = htmlContent+' datePickerTagClass';
}
htmlContent = htmlContent+'"';
var style = ' style="border:1px solid #848484;';
if(this.nVis=='false'){
style = style + ' display:none';
}
htmlContent+=style;
htmlContent = htmlContent+'"/>';
return htmlContent;
}
};
|
'use strict';
// const Git = require('nodegit');
const fse = require('fs-extra');
const shell = require('./shell').ShellUtils;
const fs = require('fs');
class GitError extends Error {
constructor(msg) {
super(msg);
this.status = 430;
this.name = 'GitError';
}
}
class GitCMDBuilder {
static _parseGitUrl(repoHref, name, pass) {
if (!name) return repoHref;
// 用户名中如果包含 @ 需要换成 40%
const nameNormal = encodeURIComponent(name); // name.replace(/\@/g, '40%'); // encodeURIComponent('@')
const passNormal = encodeURIComponent(pass); // pass.replace(/\@/g, '40%'); // encodeURIComponent('@')
let lenghtHead = 'http://'.length;
if (repoHref.startsWith('https://')) {
lenghtHead = 'https://'.length;
}
return repoHref.substr(0, lenghtHead) + `${nameNormal}:${passNormal}@` + repoHref.substr(lenghtHead);
}
static gitClone(repoHref, repoDirectory, options) {
const { username, password } = options;
const url = this._parseGitUrl(repoHref, username, password);
return `git clone ${url} ${repoDirectory}`;
}
static gitPull(repoDirectory, branch = 'master') {
return `cd ${repoDirectory} && git pull --tags origin ${branch}`;
}
static gitInit(repoDirectory) {
return `cd ${repoDirectory} && git init && git remote add origin ${this.repoHref} && git add . && git commit -m "feat: 由serverless自动创建" && git push -u origin feature_init:feature_init`;
}
static gitPush(repoDirectory, branch) {
}
static install(repoDirectory) {
return `cd ${repoDirectory} && cnpm i`;
}
static build(repoDirectory) {
return `cd ${repoDirectory} && npm run build`;
}
}
/**
* Git工具类
*/
class GitUtils {
/**
*
* @param {string} repoHref 仓库http路径
* @param {string} repoDirectory 本地仓库存放目录
* @param {object} options 配置
* ===
* options:
* username: git仓库用户名
* password: git仓库用户密码
* logger: 日志记录方法,默认“console”,可传入 ctx.logger
*/
constructor(repoHref, repoDirectory, options) {
this.repoHref = repoHref;
this.repoDirectory = repoDirectory;
this.options = options;
if (!this.options.logger) {
this.logger = console;
this.logger.info = console.log;
} else {
this.logger = this.options.logger;
}
}
_parseGitUrl(name, pass) {
if (!name) return this.repoHref;
// 用户名中如果包含 @ 需要换成 40%
const nameNormal = encodeURIComponent(name); // name.replace(/\@/g, '40%'); // encodeURIComponent('@')
const passNormal = encodeURIComponent(pass); // pass.replace(/\@/g, '40%'); // encodeURIComponent('@')
let lenghtHead = 'http://'.length;
if (this.repoHref.startsWith('https://')) {
lenghtHead = 'https://'.length;
}
return this.repoHref.substr(0, lenghtHead) + `${nameNormal}:${passNormal}@` + this.repoHref.substr(lenghtHead);
}
/**
* 获取本地的仓库信息
*/
async getLocalRepo() {
// 如果目录已存在,就不用clone了,直接pull
const { username, password } = this.options;
const url = this._parseGitUrl(username, password);
if (!fse.existsSync(this.repoDirectory)) {
this.logger.info('[CLONE]本地仓库目录不存在,使用Clone命令拉取Git仓库代码.');
// const repoRes = await Git.Clone(url, this.repoDirectory, {
// fetchOpts: {
// certificateCheck: () => {
// return 0;
// },
// },
// });
try {
await shell.run(GitCMDBuilder.gitClone(url, this.repoDirectory, {}), './', 10 * 60 * 1000);
} catch (err) {
throw new GitError(err.message);
}
this.logger.info('[CLONE]Git仓库Clone完成');
// return repoRes;
}
this.logger.info('本地仓库目录已存在,直接打开');
// return await Git.Repository.open(this.repoDirectory);
return true;
}
/**
* Pull仓库
*/
async pull() {
this.logger.info('检查仓库');
await this.getLocalRepo();
this.logger.info('[PULL]开始拉取仓库代码');
// await repo.fetchAll();
await shell.run(GitCMDBuilder.gitPull(this.repoDirectory));
this.logger.info('[PULL]拉取代码完成');
// return repo;
return true;
}
async build() {
try {
await shell.run(GitCMDBuilder.install(this.repoDirectory));
} catch (e) {
console.log(e);
}
await shell.run(GitCMDBuilder.build(this.repoDirectory));
}
async init() {
this.logger.info('[INIT]准备初始化代码');
await shell.run(GitCMDBuilder.gitInit(this.repoDirectory));
this.logger.info('[INIT]初始化代码完成');
return true;
}
static async verifyRepositery(url, username, password) {
const cloneUrl = this.parseUrl(url, username, password);
try {
await shell.run(`git ls-remote ${cloneUrl}`);
} catch (error) {
if (error.message.match(RegExp(/Authentication failed/))) {
throw new Error('仓库账号或者密码错误');
} else {
throw new Error('仓库信息错误或没有该仓库操作权限,请检查');
}
}
}
static parseUrl(url, username, password) {
const gitSiteParser = /(https?)\:\/\/(.*?\/([\w-]+)(.git)?$)/;
if (!gitSiteParser.exec(url)) {
throw new Error('仓库信息错误或没有该仓库操作权限,请检查');
}
// eslint-disable-next-line no-unused-vars
const [ all, domain, path, name ] = gitSiteParser.exec(url);
const nameNormal = encodeURIComponent(username); // name.replace(/\@/g, '40%'); // encodeURIComponent('@')
const passNormal = encodeURIComponent(password);
const cloneUrl = `${domain}://${nameNormal}:${passNormal}@${path}`;
return cloneUrl;
}
}
module.exports = GitUtils;
|
'use strict';
module.exports = function (app, id, vectorClock, otherServer, socket) {
let controller = require('../controllers/controller');
controller.setup(id, [3000 + id, otherServer], socket);
//Different routes
//This first route is to send an artificial post to a certain server.
app.route('/send/:id')
.get((res, req) => {return controller.update(res, req, id, vectorClock)});
//This second is for post requests triggered by the above.
app.route('/')
.post(controller.post);
app.route('/ms/request')
.post((res, req) => {return controller.request(res, req, id, vectorClock)});
app.route('/ms/requestReturn')
.post((res, req) => {return controller.requestReturn(res, req, id)});
app.route('/ms/release')
.post((res, req) => {return controller.release(res, req, id, vectorClock)});
app.route('/client/release')
.post((res, req) => {return controller.clientRelease(res, req, id, vectorClock)});
app.route('/client/request')
.post((res, req) => {return controller.clientRequest(res, req, id, vectorClock)});
};
|
import {reducer, ActionType} from './data.js';
import {filmDetails, films} from '../../mocks/test-mocks.js';
const ALL_GENRES = `All genres`;
const SHOWN_MOVIES_NUMBER = 8;
const SHOW_MORE_MOVIES_COUNT = 16;
it(`Reducer without additional parameters should return initial state`, () => {
expect(reducer(void 0, {})).toEqual({
selectedGenre: ALL_GENRES,
moviesByGenre: [],
movie: {},
movies: [],
showedMovies: [],
moviesCount: SHOWN_MOVIES_NUMBER,
});
});
it(`Reducer should set current genre by a given value`, () => {
expect(reducer({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
}, {
type: ActionType.SET_GENRE,
payload: `Drama`,
})).toEqual({
selectedGenre: `Drama`,
genre: ALL_GENRES,
movies: films,
movie: filmDetails
});
expect(reducer({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
}, {
type: ActionType.SET_GENRE,
payload: null,
})).toEqual({
selectedGenre: null,
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
});
});
it(`Reducer should get movies by a given genre`, () => {
expect(reducer({
genre: `Drama`,
movies: films,
movie: filmDetails,
}, {
type: ActionType.GET_MOVIES_BY_GENRE,
payload: `Drama`,
})).toEqual({
genre: `Drama`,
movies: films,
movie: filmDetails,
moviesByGenre: films.filter((movie) => movie.genre === `Drama`),
});
expect(reducer({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
}, {
type: ActionType.GET_MOVIES_BY_GENRE,
payload: [],
})).toEqual({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
moviesByGenre: [],
});
});
it(`Reducer should show more films`, () => {
expect(reducer({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
moviesByGenre: films,
showedMovies: films.slice(0, SHOWN_MOVIES_NUMBER),
moviesCount: SHOWN_MOVIES_NUMBER,
}, {
type: ActionType.SHOW_MORE_MOVIES,
payload: SHOWN_MOVIES_NUMBER,
})).toEqual({
genre: ALL_GENRES,
movies: films,
movie: filmDetails,
moviesByGenre: films,
showedMovies: films.slice(0, SHOW_MORE_MOVIES_COUNT),
moviesCount: SHOW_MORE_MOVIES_COUNT,
});
});
it(`Reducer should change films count`, () => {
expect(reducer({
genre: `NewGenre`,
movies: films,
movie: filmDetails,
moviesByGenre: films,
showedMovies: films.slice(0, SHOWN_MOVIES_NUMBER),
moviesCount: SHOW_MORE_MOVIES_COUNT,
}, {
type: ActionType.CHANGE_MOVIES_COUNT,
payload: 0,
})).toEqual({
genre: `NewGenre`,
movies: films,
movie: filmDetails,
moviesByGenre: films,
showedMovies: films.slice(0, SHOWN_MOVIES_NUMBER),
moviesCount: 0,
});
});
|
let students = [{
'id': 1,
'name': 'spiderman',
'games': ['cricket', 'football'],
'selected': false
},
{
'id': 2,
'name': 'superman',
'games': ['cricket', 'hadudo'],
'selected': false
},
{
'id': 2,
'name': 'ant man',
'games': ['cricket', 'tenis'],
'selected': false
},
{
'id': 4,
'name': 'batman',
'games': ['hockey', 'hadudo'],
'selected': false
},
{
'id': 5,
'name': 'iron man',
'games': ['football', 'tenis'],
'selected': false
},
{
'id': 6,
'name': 'ip man',
'games': ['karate'],
'selected': false
},
{
'id': 7,
'name': 'gentlman',
'games': [],
'selected': false
},
]
export default {
getStudents() {
return students;
}
}
|
const express = require("express");
const router = express.Router();
const receipts = require("../controllers/receipts.controller.js");
const tags = require("../controllers/tags.controller.js");
const multer = require("multer");
var storage = multer.diskStorage({
destination: function (req, file, cb) {
cb(null, 'uploads/')
},
filename: function (req, file, cb) {
cb(null, Date.now() + '.txt')
}
})
var upload = multer({ storage: storage });
/* 發票功能 */
router.post("/receipt/", upload.single("receipt"), receipts.create);
router.get("/receipt/", receipts.findAll);
router.put("/receipt/:id", receipts.update);
/* 標籤功能 */
router.post("/tag/", tags.create);
router.get("/tag/", tags.findAll);
router.get("/tag/:id", tags.findOne);
router.put("/tag/:id", tags.update);
router.delete("/tag/:id", tags.delete);
module.exports = router;
|
import React from 'react';
import {connect} from 'react-redux';
import RenderAnsQUesRes from './renderAnQuesRes'
class AnsQUesResult extends React.Component {
constructor(props) {
super(props);
this.state = {
idLogger: false,
ansQUesId: ''
}
}
idHandler(id){
let filtered = this.props.data.filter((element)=>{
return element.id === id
})
if(filtered) {
this.setState({idLogger: true,ansQUesId: filtered })
console.log('filtered sted',filtered)
}
else console.log('not runing ansrd id filratn')
}
render() {
const {idLogger,ansQUesId} = this.state;
return (
<div> Answred Question
{idLogger === true ?
<RenderAnsQUesRes currId={ansQUesId} />
: <ul>
{this.props.data.map((v,i)=>{
return (
<div key={i} >
<li> {this.props.auth} </li>
<li value={idLogger}
onClick={this.idHandler.bind(this, v.id)} > Add poll </li>
</div>
)
})}
</ul>}
</div>
);
}
}
const mapStateToProps = (state) => {
console.log(state)
return {
data: state.data.unAnsQuesChoice,
auth: state.auth.users
}
}
export default connect(mapStateToProps, null)(AnsQUesResult);
|
/**
* Created by a on 2017/10/30.
*/
const multer = require("multer");
//文件上传位置的配置
const storage = multer.diskStorage({
//保存路径,磁盘的路径
destination: function(req,file,cb) {
// console.log(file);
cb(null, "./public/images");
},
filename: function (req, file, cb) {
var fileFormat = (file.originalname).split(".");
// cb(null, file.fieldname + '-' + Date.now() + "." + fileFormat[fileFormat.length - 1]);
cb(null,file.originalname)
//重命名文件,避免乱码
},
})
const upload = multer({
storage:storage
})
module.exports = upload;
|
/* jshint globalstrict:false, strict:false, unused: false */
/* global arango, assertEqual, assertTrue, ARGUMENTS, fail */
// //////////////////////////////////////////////////////////////////////////////
// / @brief test the sync method of the replication
// /
// / Copyright 2014-2021 ArangoDB GmbH, Cologne, Germany
// / Copyright 2010-2012 triagens GmbH, Cologne, Germany
// /
// / DISCLAIMER
// /
// / Licensed under the Apache License, Version 2.0 (the "License");
// / you may not use this file except in compliance with the License.
// / You may obtain a copy of the License at
// /
// / http://www.apache.org/licenses/LICENSE-2.0
// /
// / Unless required by applicable law or agreed to in writing, software
// / distributed under the License is distributed on an "AS IS" BASIS,
// / WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// / See the License for the specific language governing permissions and
// / limitations under the License.
// /
// / Copyright holder is triAGENS GmbH, Cologne, Germany
// /
// / @author Jan Steemann
// / @author Copyright 2013, triAGENS GmbH, Cologne, Germany
// //////////////////////////////////////////////////////////////////////////////
const jsunity = require('jsunity');
const arangodb = require('@arangodb');
const reconnectRetry = require('@arangodb/replication-common').reconnectRetry;
const db = arangodb.db;
const replication = require('@arangodb/replication');
const leaderEndpoint = arango.getEndpoint();
const followerEndpoint = ARGUMENTS[ARGUMENTS.length - 1];
const errors = require("internal").errors;
const { deriveTestSuite, compareStringIds } = require('@arangodb/test-helper');
const _ = require('lodash');
const cn = 'UnitTestsReplication';
const connectToLeader = function () {
reconnectRetry(leaderEndpoint, db._name(), 'root', '');
db._flushCache();
};
const connectToFollower = function () {
reconnectRetry(followerEndpoint, db._name(), 'root', '');
db._flushCache();
};
const setFailurePoint = function(which) {
let res = arango.PUT("/_admin/debug/failat/" + encodeURIComponent(which), {});
if (res !== true) {
throw "unable to set failure point '" + which + "'";
}
};
const clearFailurePoints = function() {
arango.DELETE("/_admin/debug/failat");
};
function BaseTestConfig () {
'use strict';
let checkCountConsistency = function(cn, expected) {
let check = function() {
db._flushCache();
let c = db[cn];
let figures = c.figures(true).engine;
assertEqual(expected, c.count(), figures);
assertEqual(expected, c.toArray().length, figures);
assertEqual(expected, figures.documents, figures);
assertEqual("primary", figures.indexes[0].type, figures);
figures.indexes.forEach((idx) => {
assertEqual(expected, idx.count, figures);
});
};
connectToFollower();
check();
connectToLeader();
check();
};
let runRandomOps = function(cn, n) {
let state = {};
let c = db[cn];
for (let i = 0; i < n; ++i) {
let key = "testmann" + Math.floor(Math.random() * 10);
if (state.hasOwnProperty(key)) {
if (Math.random() >= 0.666) {
// remove
c.remove(key, { silent: true });
delete state[key];
} else {
c.replace(key, { value: ++state[key] }, { silent: true });
}
} else {
state[key] = Math.floor(Math.random() * 10000);
c.insert({ _key: key, value: state[key] }, { silent: true });
}
};
return state;
};
let runRandomOpsTransaction = function(cn, n) {
return db._executeTransaction({
collections: { write: cn },
action: function(params) {
let db = require("@arangodb").db;
let state = {};
let c = db[params.cn];
for (let i = 0; i < params.n; ++i) {
let key = "testmann" + Math.floor(Math.random() * 10);
if (state.hasOwnProperty(key)) {
if (Math.random() >= 0.666) {
// remove
c.remove(key, { silent: true });
delete state[key];
} else {
c.replace(key, { value: ++state[key] }, { silent: true });
}
} else {
state[key] = Math.floor(Math.random() * 10000);
c.insert({ _key: key, value: state[key] }, { silent: true });
}
};
return state;
},
params: { cn, n }
});
};
return {
tearDown: function () {
connectToFollower();
// clear all failure points
clearFailurePoints();
db._drop(cn);
connectToLeader();
// clear all failure points
clearFailurePoints();
db._drop(cn);
},
testInsertOldRevisions: function () {
let c = db._create(cn);
let rev1 = c.insert({ _key: "a" })._rev;
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
connectToLeader();
db._flushCache();
// insert an older revision
let rev2 = c.insert({ _key: "b", _rev: "_ZAAHwuy---" }, { isRestore: true })._rev;
assertEqual("_ZAAHwuy---", rev2);
assertEqual(1, compareStringIds(rev1, rev2));
connectToFollower();
db._flushCache();
// sync again
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
c = db._collection(cn);
checkCountConsistency(cn, 2);
},
testIndexConflicts: function () {
let c = db._create(cn);
c.ensureIndex({ type: "persistent", fields: ["value"], unique: true });
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
let docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: 9999 - i });
}
c.insert(docs);
connectToLeader();
docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: i });
}
c.insert(docs);
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 10000);
},
testMoreOnLeader: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
let docs = [];
for (let i = 19; i < 10000; i += 111) {
docs.push({ _key: "test" + i, value: "follower-" + i });
}
c.insert(docs);
connectToLeader();
docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: "leader-" + i });
}
c.insert(docs);
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 10000);
},
testMoreOnFollower: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
let docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: "follower-" + i });
}
c.insert(docs);
connectToLeader();
docs = [];
for (let i = 19; i < 10000; i += 111) {
docs.push({ _key: "test" + i, value: "leader-" + i });
}
c.insert(docs);
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 90);
},
testDifferentDocuments: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
let docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: "follower-" + i });
}
c.insert(docs);
connectToLeader();
docs = [];
for (let i = 0; i < 10000; ++i) {
docs.push({ _key: "test" + i, value: "leader-" + i });
}
c.insert(docs);
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 10000);
},
testLargeDocuments: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
// insert 1 document, so that the incremental sync gets triggered
c.insert({ _key: "testi" });
assertEqual(1, c.count());
connectToLeader();
let payload = Array(512).join("x");
let doc = {};
for (let i = 0; i < 100; ++i) {
doc["test" + i] = payload;
}
let docs = [];
for (let i = 0; i < 100; ++i) {
docs.push(doc);
}
for (let i = 0; i < 10000; ++i) {
c.insert(docs);
i += docs.length;
}
assertEqual(10000, c.count());
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 10000);
},
testLargeDocumentsWithEvilKeys: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
// insert documents with evil keys
let docs = [];
for (let i = 0; i < 100; ++i) {
docs.push({ _key: "testi$!%20%44+abc=" + i });
}
c.insert(docs);
assertEqual(100, c.count());
connectToLeader();
let payload = Array(512).join("x");
let doc = {};
for (let i = 0; i < 100; ++i) {
doc["test" + i] = payload;
}
docs = [];
for (let i = 0; i < 10000; ++i) {
doc._key = "testi$!%20%44+abc=" + i;
docs.push(_.clone(doc));
if (docs.length === 100) {
c.insert(docs);
docs = [];
}
}
assertEqual(10000, c.count());
connectToFollower();
// sync all documents
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
checkCountConsistency(cn, 10000);
},
testInsertRemoveInsertRemove: function () {
let c = db._create(cn);
// create connection on follower too
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
connectToLeader();
db._flushCache();
let rev1 = c.insert({ _key: "a" })._rev;
c.remove("a");
let rev2 = c.insert({ _rev: rev1, _key: "a" }, { isRestore: true })._rev;
c.remove("a");
assertEqual(rev1, rev2);
connectToFollower();
db._flushCache();
rev1 = c.insert({ _rev: rev1, _key: "a" }, { isRestore: true })._rev;
assertEqual(rev1, c.document("a")._rev);
rev2 = c.insert({ _key: "b" })._rev;
assertEqual(rev2, c.document("b")._rev);
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
checkCountConsistency(cn, 0);
},
testInsertRemoveInsertRemoveInsert: function () {
let c = db._create(cn);
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
connectToLeader();
db._flushCache();
let rev1 = c.insert({ _key: "a" })._rev;
c.remove("a");
let rev2 = c.insert({ _rev: rev1, _key: "a" }, { isRestore: true })._rev;
c.remove("a");
let rev3 = c.insert({ _rev: rev1, _key: "a" }, { isRestore: true })._rev;
assertEqual(rev1, rev2);
assertEqual(rev1, rev3);
connectToFollower();
db._flushCache();
assertEqual(rev1, c.insert({ _rev: rev1, _key: "a" }, { isRestore: true })._rev);
assertEqual(rev1, c.document("a")._rev);
rev2 = c.insert({ _key: "b" })._rev;
assertEqual(rev2, c.document("b")._rev);
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(rev1, c.document("a")._rev);
checkCountConsistency(cn, 1);
},
testSecondaryIndexConflictsDocuments: function () {
let c = db._create(cn);
c.ensureIndex({ type: "hash", fields: ["value"], unique: true });
connectToFollower();
db._flushCache();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
});
connectToLeader();
db._flushCache();
c.insert({ _key: "a", value: 1 });
c.insert({ _key: "b", value: 2 });
c.insert({ _key: "c", value: 3 });
assertEqual(1, c.document("a").value);
assertEqual(2, c.document("b").value);
assertEqual(3, c.document("c").value);
connectToFollower();
assertEqual(2, c.indexes().length);
c.insert({ _key: "b", value: 3 });
c.insert({ _key: "c", value: 2 });
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("a").value);
assertEqual(2, c.document("b").value);
assertEqual(3, c.document("c").value);
checkCountConsistency(cn, 3);
},
// create different state on follower
testDowngradeManyRevisions: function () {
let c = db._create(cn);
let docs = [];
for (let i = 0; i < 1 * 100 * 1000; ++i) {
docs.push({ value: i });
if (docs.length === 10000) {
c.insert(docs, { silent: true });
docs = [];
}
}
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
db._query("FOR doc IN " + cn + " REPLACE doc WITH { value: doc.value + 1 } IN " + cn);
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
checkCountConsistency(cn, 100000);
},
// create different state on follower
testRewriteEntireFollowerSecondaryUniqueIndexes: function () {
let c = db._create(cn);
let docs = [];
for (let i = 0; i < 100000; ++i) {
docs.push({ value: i });
if (docs.length === 10000) {
c.insert(docs, { silent: true });
docs = [];
}
}
c.ensureIndex({ type: "hash", fields: ["value"], unique: true });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
db._query("FOR doc IN " + cn + " REPLACE doc WITH { value: doc.value + 1000000 } IN " + cn);
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
checkCountConsistency(cn, 100000);
},
testUniqueConstraints: function () {
let c = db._create(cn);
c.ensureIndex({type: "hash", unique: true, fields: ["x"]});
c.ensureIndex({type: "hash", unique: true, fields: ["y"]});
c.ensureIndex({type: "hash", unique: true, fields: ["z"]});
let docs = [];
for (let i = 0; i < 1 * 100000; ++i) {
docs.push({ _key: "K" + i, value: i, x: i, y: i, z: i });
if (docs.length === 10000) {
c.insert(docs, { silent: true });
docs = [];
}
}
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
db._query("FOR doc IN " + cn + " SORT doc.value REPLACE doc WITH { value: doc.value - 1, x: doc.x + 1000000, y: doc.y + 1000000, z: doc.z + 1000000} IN " + cn);
docs = [];
for (let i = 0; i < 1 * 100 * 1000; ++i) {
docs.push({ _key: "L" + i, value: i, x: i, y: i, z: i });
if (docs.length === 10000) {
c.insert(docs, { silent: true });
docs = [];
}
}
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
checkCountConsistency(cn, 100000);
// Now check that the unique index entries are all in place by
// provoking violations:
docs = [];
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", x: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", y: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", z: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
// And use the index entries in a query:
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.x == i
RETURN 1)`).toArray()[0]);
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.y == i
RETURN 1)`).toArray()[0]);
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.z == i
RETURN 1)`).toArray()[0]);
},
testManyUniqueConstraints: function () {
let c = db._create(cn);
c.ensureIndex({type: "hash", unique: true, fields: ["x"]});
c.ensureIndex({type: "hash", unique: true, fields: ["y"]});
c.ensureIndex({type: "hash", unique: true, fields: ["z"]});
let docs = [];
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "K" + i, value: i, x: i, y: i, z: i });
if (docs.length === 10000) {
c.insert(docs, { silent: true });
docs = [];
}
}
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
db._query("FOR doc IN " + cn + " SORT doc.value REPLACE doc WITH { value: doc.value - 1, x: doc.x - 1, y: doc.y - 2, z: doc.z - 3 } IN " + cn);
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
checkCountConsistency(cn, 100000);
// Now check that the unique index entries are all in place by
// provoking violations:
docs = [];
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", x: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", y: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
for (let i = 0; i < 100000; ++i) {
docs.push({ _key: "N", z: i });
if (docs.length === 10000) {
let res = c.insert(docs);
assertEqual(10000, res.length);
res.forEach((r) => {
assertTrue(r.error);
assertEqual(errors.ERROR_ARANGO_UNIQUE_CONSTRAINT_VIOLATED.code,
r.errorNum);
});
docs = [];
}
}
// And use the index entries in a query:
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.x == i
RETURN 1)`).toArray()[0]);
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.y == i
RETURN 1)`).toArray()[0]);
assertEqual(100000, db._query(
`RETURN COUNT(FOR i IN 0..99999
FOR doc IN ${cn}
FILTER doc.z == i
RETURN 1)`).toArray()[0]);
},
testRevisionIdReuse: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
// document on follower must be 100% identical
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.remove("testi");
c.insert({_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
c.remove("testi");
setFailurePoint("Insert::useRev");
c.insert({ _key: "testi", value: 1, _rev: rev });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
// document on follower must be 100% identical
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 1);
},
// create different state on follower for the same key
testDifferentKeyStateOnFollower: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
// document on follower must be 100% identical
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.remove("testi");
c.insert({_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
c.remove("testi");
rev = c.insert({ _key: "testi", value: 3 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 1);
},
// create different state on follower for the same key, using replace
testDifferentKeyStateOnFollowerUsingReplace: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.replace("testi", {_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
rev = c.replace("testi", { _key: "testi", value: 3 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 1);
},
// create large AQL operation on leader using AQL
testCreateLargeAQLOnLeader: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.replace("testi", {_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
setFailurePoint("TransactionState::intermediateCommitCount1000");
db._query("FOR i IN 1..10000 INSERT { _key: CONCAT('testmann', i) } INTO " + cn);
rev = c.replace("testi", { _key: "testi", value: 3 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 10001);
},
// create large AQL operation on follower using AQL
testCreateLargeAQLOnFollower: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.replace("testi", {_key: "testi", value: 2 });
setFailurePoint("TransactionState::intermediateCommitCount1000");
db._query("FOR i IN 1..10000 INSERT { _key: CONCAT('testmann', i) } INTO " + cn);
connectToLeader();
db._flushCache();
c = db._collection(cn);
rev = c.replace("testi", { _key: "testi", value: 3 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 1);
},
// create random operations on leader, with many
// operations affected the same keys
testCreateRandomOperationsOnLeader: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
let state = runRandomOps(cn, 50000);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
let expected = 1;
for (let s in state) {
++expected;
assertEqual(state[s], c.document(s).value);
}
checkCountConsistency(cn, expected);
},
// create a transaction with random operations on leader, with many
// operations affected the same keys
testCreateRandomOperationsTransactionOnLeader: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
let state = runRandomOpsTransaction(cn, 50000);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
let expected = 1;
for (let s in state) {
++expected;
assertEqual(state[s], c.document(s).value);
}
checkCountConsistency(cn, expected);
},
// create random operations on follower, with many
// operations affected the same keys
testCreateRandomOperationsOnFollower: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
runRandomOps(cn, 50000);
connectToLeader();
db._flushCache();
c = db._collection(cn);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
checkCountConsistency(cn, 1);
},
// create a transaction with random operations on follower, with many
// operations affected the same keys
testCreateRandomOperationsTransactionOnFollower: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
runRandomOpsTransaction(cn, 50000);
connectToLeader();
db._flushCache();
c = db._collection(cn);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
checkCountConsistency(cn, 1);
},
// create random operations on leader and follower, with many
// operations affected the same keys
testCreateRandomOperationsOnLeaderAndFollower: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
runRandomOps(cn, 50000);
connectToLeader();
db._flushCache();
c = db._collection(cn);
let state = runRandomOps(cn, 50000);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
let expected = 1;
for (let s in state) {
++expected;
assertEqual(state[s], c.document(s).value);
}
checkCountConsistency(cn, expected);
},
// create a transaction with random operations on leader and follower, with many
// operations affected the same keys
testCreateRandomOperationsTransactionOnLeaderAndFollower: function () {
let c = db._create(cn);
c.insert({_key: "testi", value: 1 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
c.replace("testi", {_key: "testi", value: 2 });
runRandomOpsTransaction(cn, 50000);
connectToLeader();
db._flushCache();
c = db._collection(cn);
let state = runRandomOpsTransaction(cn, 50000);
c.replace("testi", { _key: "testi", value: 3 });
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
let expected = 1;
for (let s in state) {
++expected;
assertEqual(state[s], c.document(s).value);
}
checkCountConsistency(cn, expected);
},
// create large AQL operation on leader using AQL
testIncrementalQuickKeys: function () {
let c = db._create(cn);
let rev = c.insert({_key: "testi", value: 1 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(1, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
c.replace("testi", {_key: "testi", value: 2 });
connectToLeader();
db._flushCache();
c = db._collection(cn);
setFailurePoint("RocksDBRestReplicationHandler::quickKeysNumDocsLimit100");
db._query("FOR i IN 1..10000 INSERT { _key: CONCAT('testmann', i) } INTO " + cn);
rev = c.replace("testi", { _key: "testi", value: 3 })._rev;
connectToFollower();
replication.syncCollection(cn, {
endpoint: leaderEndpoint,
verbose: true,
incremental: true
});
db._flushCache();
c = db._collection(cn);
assertEqual(3, c.document("testi").value);
assertEqual(rev, c.document("testi")._rev);
checkCountConsistency(cn, 10001);
},
};
}
function ReplicationIncrementalMalarkeyOldFormat() {
'use strict';
let suite = {
setUp: function () {
connectToFollower();
// clear all failure points, but enforce old-style collections
clearFailurePoints();
setFailurePoint("disableRevisionsAsDocumentIds");
connectToLeader();
// clear all failure points, but enforce old-style collections
clearFailurePoints();
setFailurePoint("disableRevisionsAsDocumentIds");
},
};
deriveTestSuite(BaseTestConfig(), suite, '_OldFormat');
return suite;
}
function ReplicationIncrementalMalarkeyNewFormat() {
'use strict';
let suite = {
setUp: function () {
connectToFollower();
// clear all failure points
clearFailurePoints();
db._drop(cn);
connectToLeader();
// clear all failure points
clearFailurePoints();
db._drop(cn);
},
};
deriveTestSuite(BaseTestConfig(), suite, '_NewFormat');
return suite;
}
function ReplicationIncrementalMalarkeyNewFormatIntermediateCommits() {
'use strict';
let suite = {
setUp: function () {
connectToFollower();
// clear all failure points
clearFailurePoints();
setFailurePoint("TransactionState::intermediateCommitCount1000");
db._drop(cn);
connectToLeader();
// clear all failure points
clearFailurePoints();
setFailurePoint("TransactionState::intermediateCommitCount1000");
db._drop(cn);
},
};
deriveTestSuite(BaseTestConfig(), suite, '_NewFormatIntermediateCommit');
return suite;
}
let res = arango.GET("/_admin/debug/failat");
if (res === true) {
// tests only work when compiled with -DUSE_FAILURE_TESTS
jsunity.run(ReplicationIncrementalMalarkeyOldFormat);
jsunity.run(ReplicationIncrementalMalarkeyNewFormat);
jsunity.run(ReplicationIncrementalMalarkeyNewFormatIntermediateCommits);
}
return jsunity.done();
|
import React from "react";
import { useState } from "react"
import { useDispatch } from "react-redux"
import { searchName } from "../actions";
import "./searchbar.css"
function SearchBar() {
const dispatch = useDispatch()
const [name, setName] = useState(" ")
function handleInputName(e) {
e.preventDefault()
setName(e.target.value)
}
function handleSubmit(e) {
e.preventDefault()
dispatch(searchName(name))
}
return (
<div className="box">
<input className="search input" type="text"
placeholder="Escribir nombre"
onChange={e => handleInputName(e)}
/>
<button className="btn-buscar search" onClick={e => handleSubmit(e)} type="submit">Buscar</button>
</div>
)
}
export default SearchBar;
|
import React from 'react';
import { Grid, Paper, Typography } from '@material-ui/core'
import weatherImg from '../images/weatherImage.jpg'
const FavoriteItem = ({ title, temp, desc }) => {
return (
<Grid item md={3} xs={12} >
<Paper className="weather-item" style={{backgroundImage: `url(${weatherImg})`}} >
<Typography style={{ fontSize:"23px", textAlign:"center"}} variant="subtitle1" > {title} </Typography>
<Typography style={{ fontSize:"17px", textAlign:"center"}} variant="subtitle1" > {temp} </Typography>
<Typography style={{ fontSize:"17px", textAlign:"center"}} variant="subtitle1" > {desc} </Typography>
</Paper>
</Grid>
)
}
export default FavoriteItem
|
/* jshint indent: 1 */
module.exports = function(sequelize, DataTypes) {
return sequelize.define('achat', {
id: {
type: DataTypes.INTEGER(11),
allowNull: false,
primaryKey: true,
autoIncrement: true
},
Utilisateur_id: {
type: DataTypes.INTEGER(11),
allowNull: false,
references: {
model: 'utilisateur',
key: 'id'
}
},
Soumettre_id: {
type: DataTypes.INTEGER(11),
allowNull: false,
references: {
model: 'soumettre',
key: 'id'
}
}
}, {
tableName: 'achat'
});
};
|
/*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
function Flow(i) {
this.value = 0;//流量值
this.referPos = 0;//图像绘制参考坐标
this.timeTick = 0;
this.lenTick = 0;
this.$flow = $("#flow" + i);
this.$right = this.$flow.find(".right");
this.$down = this.$flow.find(".down");
this.$up = this.$flow.find(".up");
}
Flow.prototype.updateFlowImage = function () {
this.$flow.attr("data-flow", "流量 " + (this.value * Math.pow(10, 6)).toFixed(0) + " cm³/s");
this.$right.css("background-positionX", this.referPos + "px");
this.$down.css("background-positionY", this.referPos + "px");
this.$up.css("background-positionY", -this.referPos + "px");
if (++this.referPos >= 1000)
this.referPos = 0;
};
Flow.prototype.isTimeSatisfied = function () {
if (++this.timeTick >= this.lenTick) {
this.timeTick = 0;
var interval = Math.round(0.001 / this.value);
this.lenTick = interval > 100 ? 100 : interval;
return true;
}
return false;
};
Flow.prototype.refreshFlowImage = function () {
if (this.value > 0) {
if (this.isTimeSatisfied())
this.updateFlowImage();//更新图像
this.$flow.css("visibility", "visible");
} else {
this.$flow.css("visibility", "hidden");
}
};
|
//nodejs path
const path = require('path');
const express = require('express');
const socketio = require('socket.io');
const message = require('./message');
//requried to serve socket
const http = require('http');
const publicPath = path.join(__dirname, '../public');
const port = process.env.PORT || 3000;
var app = express();
//needed for socket
var server = http.createServer(app);
var io= socketio(server);
//to serve public path html pages
app.use(express.static(publicPath));
/**this shows a connection on server
* the event is built in from socket.io
*/
//this is a listener exampple
io.on('connection', (socket)=>{
console.log('new user connected');
socket.emit('newMessage',
{
"from": "admin@babu.com",
"text":"hi you\'re connected to support @babu.com, what can I help you with?",
"createdAt":Date.now()
});
socket.on('newUserLoggedIn',(welcomeMessage)=>{
console.log(welcomeMessage);
socket.broadcast.emit('welcomeMessage',{
userName: "welcome to chat room "+ welcomeMessage.userName
});
//these lines is for broadcasting messages. the drawback is that the message are broadcasted to everyone including sender
// io.emit('newMessage', {
// from: createdMessage.from,
// text: createdMessage.message,
// createdAt: Date.now()
// });
//this one broadcast to everyone but the sender
// socket.broadcast.emit('newMessage',{
// from: createdMessage.from,
// text: createdMessage.message,
// createdAt: Date.now()
// })
});
//event acknowledgement examples
// socket.on('createMessage', (createdMessage,)=>{
// console.log(createdMessage);
// });
//from these lines to below lines
socket.on('createMessage', (createdMessage,callback)=>{
io.emit('newMessage', createdMessage);
callback('received at: '+ Date.now());
});
socket.on('createLocationMessage', (createdMessage,callback)=>{
var locationMessage
locationMessage= message.generateLocationMessage(createdMessage.from, createdMessage.lat, createdMessage.lon)
console.log('this is from location message: '+JSON.stringify(locationMessage));
//change the emit location for location tag
io.emit('newLocationMessage', {
from: locationMessage.from,
text: locationMessage.url
},
callback('received at: '+ Date.now()));
});
//listen to disconnect built in event and write down what's happening
socket.on('disconnect', (socket)=>{
console.log('a client disconnected from our server')
});
});
//need to find the proper event
// io.on('disconnect', (socket)=>{
// console.log('a user disconnected');
// });
// app.listen(port, () => {
// console.log(`Server is up on ${port}`);
// });
server.listen(port, () => {
console.log(`Server is up on ${port}`);
});
|
var businessList = {
data:{
businessesUrl:$("#basePath").val()+"/businesses"
},
init:function (param) {
this.bindEvent();
},
bindEvent:function () {
var _this = this;
$("#search").click(function () {
var title = $.trim($("#title").val());
if (!!!title) {
window.location.href = _this.data.businessesUrl;
} else {
window.location.href = _this.data.businessesUrl + "?title=" + title;
}
});
// form 提交 DELETE
$(".business-delete").click(function (e) {
e.stopPropagation();
var adId = $(this).data("id");
if (window.confirm("是否要删除该广告!!?")){
$("#mainForm").attr("method","POST");
$("#mainForm").attr("action",_this.data.businessesUrl+"/"+adId);
$("#mainForm").append("<input type='hidden' name='_method' value='DELETE'/>");
$("#mainForm").submit();
}
});
$("#go").click(function () {
var pageNum = $("#goNum").val();
var title = $.trim($("#title").val());
var href = $(this).attr("href")+"?pageNum="+pageNum;
if (!!title){
href = href+"&title="+title;
}
$(this).attr("href",href);
});
}
}
$(function () {
businessList.init();
});
|
var express = require('express')
var bodyParser = require('body-parser')
var cors = require('cors')
var app = express()
app.use(bodyParser.urlencoded({extend: true}))
app.use(bodyParser.json())
app.use(cors())
var port = process.env.port || 8000
var router = express.Router()
router.get('/', function(req, res) {
res.json({message: 'hooray! welcome to our api!'})
})
var Contact = require('./models/contact')
router.route('/contacts')
.get(function (req, res) {
Contact.index()
.then(function (result) {
res.json(result)
})
.catch(function (error) {
res.json(error)
})
})
.post(function (req, res) {
var contact = req.body.contact
Contact.create(contact)
.then(function (result) {
res.json(result)
})
.then(function (error) {
res.json(error)
})
})
router.route('/contacts/:contact_id')
.get(function (req, res) {
Contact.getOne(req.params.contact_id)
.then(function (contact) {
res.json(contact)
})
.catch(function (error) {
res.json(error)
})
})
.put(function (req, res) {
var contact = req.body.contact,
contact_id = req.params.contact_id
Contact.update(contact_id, contact)
.then(function (result) {
res.json(result)
})
.catch(function (error) {
res.json(error)
})
})
app.use('/api', router);
app.listen(port);
console.log('Magic happens on port ' + port)
|
//无状态组件,不需要引入{Component}
import React from 'react';
//定义一个AmountBOX,利用函数返回组件,里面传的参数是从引用那里传过来的数据
const AmountBox=({text,type,amount})=>{
return(
<div className="col">
<div className="card">
{/*模板字符串使用反引号 (` `) */}
{/*来代替普通字符串中的用双引号和单引号。*/}
{/*模板字符串可以包含特定语法(${expression})的占位符。*/}
{/*占位符中的表达式和周围的文本会一起传递给一个默认函数,*/}
{/*该函数负责将所有的部分连接起来,如果一个模板字符串由表达式开头,*/}
{/*则该字符串被称为带标签的模板字符串*/}
<div className={`card-header bg-${type} text-white`}>
{text}
</div>
<div className="card-body">
{amount}
</div>
</div>
</div>
)
}
export default AmountBox;
|
$(document).on("keydown","#main-search-bar input", function(e){
var code =e.which;
var t=$(this);
setTimeout(function(){
var text=t.val();
$.post('/ShareOn/geters/search.php',{search:text},function(d) {
var json=JSON.parse(d);
$("#main-search-bar .result").remove();
for(var i=0;i<json.length;i++){
console.log(json);
var img="";
var link="/ShareOn/";
if(json[i][1] =='p'){
img=json[i][0]['portrait'];
link+="posts/"+json[i][0]['_key'];
}else if(json[i][1] =='t'){
img=json[i][0]['image'];
link+="topics/"+json[i][0]['_key'];
}else if(json[i][1]=='u'){
img=json[i][0]['profile_picture'];
link+="profiles/"+json[i][0]['username']+"/posts";
}
$("#main-search-bar").append(`<div class='result' onclick="window.open('${link}')"><img src='${img}'/><span>${json[i][0]['name']}</span></div>`);
}
});
}, 100);
});
$(document).on("click","body",function(){
$("#main-search-bar .result").remove();
});
|
/**
* eon.jquery.carriers ~ Version 1.40.0
* @author Serge Jamasb
* @copyright the author
* @license MIT/GPL
*/
!function (t, e) {
t.fn.loadingOverlay = function (n, i) {
var n = n === e ? !0 : !!n, o = t.extend({}, { cls: "ajax-cbox", cls_overlay: "ajax-cbox-overlay" }, i);
return this.each(function () {
var e = t(this);
if (n && 0 === e.find("." + o.cls_overlay).length) {
var i = t("<div/>").addClass(o.cls_overlay);
e.append(i).addClass(o.cls), i.stop().hide().fadeIn(300)
} else {
n || e.removeClass(o.cls).find("." + o.cls_overlay).remove()
}
}), this
}, ContentCache = {
a: "", b: "", c: {}, d: "div.cbox", e: {}, f: { g: e, h: e }, i: !1, j: function (t, e, n) {
var i = this;
i.b = t, this.e = e
}, k: function (e, n) {
var i = this, o = this;
t.ajax({ type: "GET", url: i.b, async: !0, contentType: "text/plain; charset=utf-8", dataType: "html", data: "mode=carrier-box&shipping_method=" + i.e[e] }).success(function (t) {
i.c[e] = i.f.g(t), "function" != typeof n && n(e)
}).error(function (t) {
console.log(t), box_elm.text(t), o.a > 1.4 && box_elm.loadingOverlay(!1)
})
}, l: function () {
return this.a > 1.4
}, m: function () {
var e = this, n = e.a, i = e.n(n), o = e.l() ? ".delivery_option" : "#carrier-table", a = window.location;
e.o = !0, t(o).before(i), t(o).css("display", "block").loadingOverlay(!0), t.ajax({ type: "GET", url: a, async: !0, contentType: "text/plain; charset=utf-8", dataType: "html", data: { step: 1 } })
}
}, Const = Object.freeze({ p: { q: 1, r: 2, s: 3 }, t: 30 }), CarriersHandler = {
u: "", a: "", v: !1, w: !1, x: "", y: {}, e: {}, z: {}, A: { B: "", C: "", D: "" }, F: 300, G: 200, H: 0, I: 0, J: !1, K: !1, o: !1, L: !1, init: function (t, e, n, i, o, a) {
this.a = t, this.v = e, this.x = a, this.y = o, this.e = i, this.M(), this.N(), this.O(), this.P(n), this.u = Math.random().toString(36).slice(-3)
}, P: function (t) {
var e = this;
t in e.e && e.Q(t, !0)
}, O: function () {
("undefined" == typeof t.fancybox || "function" != typeof t.fancybox.open) && (t("<link/>", { rel: "stylesheet", type: "text/css", href: "https://cdnjs.cloudflare.com/ajax/libs/fancybox/2.1.5/jquery.fancybox.min.css" }).appendTo("head"), t.eonCacheScript("https://cdnjs.cloudflare.com/ajax/libs/fancybox/2.1.5/jquery.fancybox.min.js", {
success: function () {
}
}))
}, N: function () {
var e = this;
t(e.A.C).on("change", function (t) {
var n = parseInt(this.value, 10);
e.R(n)
}), t("#btn-sp").on("click", function () {
var n = t(this).data("url"), i = {
autoWidth: !0, autoHeight: !0, centerOnScroll: !0, minHeight: 400, helpers: { title: null }, live: !1, type: "iframe", afterClose: function () {
e.S()
}
};
eonBox.open(n, i)
}), t("#del-dates").on("change", function () {
var n = t(this), i = n.data("shm"), o = n.data("url"), a = this.value;
e.T(), n.blur(), t.post(o, { delivery_code: a, shipping_method: i }).done(function (t) {
t.Error && eonBox.displayError(t.Error), e.o = !1, e.U()
}, "json")
}), t('[name="processCarrier"]').on("click", function (n) {
var i = parseInt(t(e.A.C).filter(function () {
return t(this).is(":checked")
}).val(), 10);
if (i in e.e) {
var o = e.n(), a = t(o.html()).hasClass("address");
if (!a) {
n.preventDefault(), n.stopPropagation();
var r = e.y.sp_configure;
e.a >= 1.6 ? eonBox.displaySingle(r) : alert(r)
}
}
}), e.v && t("#id_address_delivery").on("change", function () {
var t = e.n();
t.slideUp(25, function () {
e.L = !1
})
})
}, S: function () {
var e = this, n = parseInt(t(e.A.C).filter(function () {
return t(this).is(":checked")
}).val(), 10);
"undefined" != typeof n && e.R(n)
}, U: function () {
var t = this, e = t.n();
e.slideUp(t.F, function () {
t.L = !1, t.K ? t.v ? (updateCarrierSelectionAndGift(), t.l() || getCarrierListAndUpdate()) : t.V() : t.S()
})
}, refreshCarrierInfo: function (e) {
var n = this;
n.o && t(n.A.D).css("position", "relative").loadingOverlay(!0), n.R(e)
}, n: function () {
var e = this, n = e.A.B, i = t(n);
if (0 === i.length) {
var o = n.split("#");
i = t("<" + o[0] + ">"), i.attr("id", o[1])
}
return i.length > 1 && (i.each(function (e) {
e > 0 && t(this).remove()
}), i = t(n)), i
}, W: function (t, e) {
var n = this, i = getCBT();
i = 2 !== i.length ? 1.5 == n.a ? ["div", 2] : ["tr", 3] : i, elm = n.J ? t.closest(".delivery_option") : t.closest(i[0]).find("td:nth-child(" + i[1] + ")"), t.attr("checked", !0), n.v && elm.find(n.A.B).length > 0 && e.remove(), elm.append(e), e.slideDown(n.F, function () {
n.L = !0
})
}, T: function () {
var e = this, n = e.I > Const.t, i = e.L && !e.o && e.H || n;
i ? (clearTimeout(e.H), n && (e.o = !1), t(e.A.D).loadingOverlay(!1), e.I = e.H = 0) : (0 === e.H && (e.o = !0, t(e.A.D).css("position", "relative").loadingOverlay(!0)), e.H = setTimeout(function () {
e.T()
}, e.G)), e.I++, e.w && (e.X("#inst", e.u, !0), e.X("#ivisi", e.L), e.X("#ibusy", e.o), e.X("#itmr", e.H), e.X("#icount", e.I, !0))
}, R: function (e) {
var n = this, i = n.n();
if (!n.o) {
if (!(e in n.e)) {
return void i.slideUp(n.F, function () {
n.L = !1
});
}
n.T(), i.slideUp(n.F, function () {
n.L = !1, n.l() && n.v && t("div#carrier_area").before(i), n.Q(e, !1, i)
});
var o = n.a, a = n.v ? 1.6 > o ? 1200 : 1500 : 0;
setTimeout(function () {
var o = t(n.A.C).filter(function () {
return parseInt(this.value, 10) === e
});
n.W(o, i)
}, a)
}
}, Y: function (e) {
var n = this, i = t(n.A.C).filter(function () {
return parseInt(this.value, 10) === e
}), o = n.n();
o.html(n.z[e]), n.W(i, o)
}, Q: function (e, n, i) {
var o = this, a = o.e[e], r = o.v && o.l(), s = o.J ? "1" : "0";
if (o.T(), n) {
var c = [];
t.each(o.e, function (t, e) {
c.push(e)
}), a = c.join()
} else {
i.html(o.z[e]);
}
t.ajax({ type: "GET", url: o.x, async: !0, cache: !1, contentType: "application/json", dataType: "json", data: "ajax=1&get_cbox=1&shipping_method=" + a + "&mobile=" + s }).success(function (a) {
o.K = a.has_cost, t.each(o.e, function (t, e) {
e in a.content && (o.z[t] = a.content[e])
}), n ? a.def_sat ? (o.o = !1, o.U(), o.v || o.Y(e)) : o.Y(e) : r && 0 === t(o.A.B).length ? o.Y(e) : i.html(o.z[e]), o.o = !1
}).error(function (t) {
console.log(t), window.location.reload()
})
}, V: function () {
if (!this.v) {
var e = this, n = e.n(), i = window.location.href;
e.o = !0, t(e.A.D).before(n), t(e.A.D).css("position", "relative").loadingOverlay(!0), t.ajax({ type: "GET", url: i, async: !0, contentType: "text/plain; charset=utf-8", dataType: "html", data: { step: 2 } }).success(function (n) {
var i, o = t(n).find(e.A.D), a = t(e.A.D);
i = i = parseInt(t(e.A.C).filter(function () {
return t(this).is(":checked")
}).val(), 10), a.html(o.html()), e.o = !1, e.R(i)
}).error(function (t) {
console.log(t), e.o = !1
})
}
}, l: function () {
return this.a > 1.4
}, M: function () {
var e = this, n = 35, o = "", a = { Z: ['[name="id_carrier"]', ".delivery_option_radio"], $: ["#carrierTable", ".delivery_options"], _: "div#cbox-##dbg-bc-#html.ui-mobile" }, r = e.l(), s = Number(r);
for (i = 20; i; i -= 10) {
o += String.fromCharCode(i + n - 10);
}
var c = a._.split(o);
e.A.B = c[0], e.A.C = a.Z[s], e.A.D = a.$[s], e.w = t(c[1]).length > 0, e.J = t(c[2]).length > 0
}, X: function (e, n, i) {
var o = this;
if (o.w) {
"undefined" == typeof i && (i = !1);
var a = t(e), r = i ? a.text() + n + ", " : n;
a.text(r)
}
}
}
}(jQuery);
|
var searchData=
[
['omnibase',['OmniBase',['../classOmniBase.html#ab8717851c5496b3311ba0b48114e8004',1,'OmniBase']]],
['omniethernet',['OmniEthernet',['../classOmniEthernet.html#a55e6473c599ca47a64d35f9194ad5603',1,'OmniEthernet']]],
['omnifirewire',['OmniFirewire',['../classOmniFirewire.html#af9298dc3107550d4da86e4eb12fdfe09',1,'OmniFirewire']]]
];
|
/**
* @param {string} s
* @return {number}
*/
const longestUniqueCharacterSubstring = (s) => {
let chars = s.split('');
let left = 0;
let right = 0;
let max = 0;
let hash = {};
while (right < s.length) {
let char = chars[right];
if (hash[char]) {
left = Math.max(left, hash[char]);
}
hash[char] = right + 1;
max = Math.max(max, right - left + 1);
right++;
}
return max;
};
|
import React, {useState} from 'react'
import Stone from '../img/even1.png'
import Pepper from '../img/niyar1.png'
import Cut from '../img/misparaim1.png'
import CWin from '../img/misparaimWin.png'
import PWin from '../img/peperWin.png'
import SWin from '../img/rockWin.png'
import {HashRouter as Router,Switch,Link , Route} from 'react-router-dom'
export default function StonePeperCut(props) {
const [img,setImg] =useState([{name:'stone' , pic:Stone},{name:'peper',pic:Pepper},{name:'cut',pic:Cut}]);
const imgStyle = {
width:'100px',
hight:'100px'
}
const play = (index,temp)=>{
if (index==temp)
{
return <h2>תיקו</h2>
}
else
{
if (temp==0)
{
if (index==1)
{
props.winner(1)
return <h2 style={{backgroundColor:'red'}}>שחקן ניצח <br /><img style={imgStyle} src={PWin} /></h2>
}
else
{
props.winner(2)
return <h2 style={{backgroundColor:'blue'}}>מחשב ניצח <br /><img style={imgStyle} src={SWin} /></h2>
}
}
else{
if (temp==1)
{
if (index==2)
{
props.winner(1)
return <h2 style={{backgroundColor:'red'}}>שחקן ניצח <br /><img style={imgStyle} src={CWin} /></h2>
}
else
{
props.winner(2)
return <h2 style={{backgroundColor:'blue'}}>מחשב ניצח<br /><img style={imgStyle} src={PWin} /></h2>
}
}
else{
if (index==0)
{
props.winner(1)
return <h2 style={{backgroundColor:'red'}}>שחקן ניצח<br /><img style={imgStyle} src={SWin} /></h2>
}
else
{
props.winner(2)
return <h2 style={{backgroundColor:'blue'}}>מחשב ניצח<br /><img style={imgStyle} src={CWin} /></h2>
}
}
}
}
//
}
return (
<div>
<h2 style={{backgroundColor:'red'}}> שחקן <img style={imgStyle} src={img[props.player].pic} /> </h2>
<h2>{play(props.player,props.comp)} </h2>
<h2 style={{backgroundColor:'blue'}}> מחשב <img style={imgStyle} src={img[props.comp].pic} /></h2>
<p style={{fontSize:'20px'}}>
<span style={{backgroundColor:'blue'}}>ניצחונות מחשב</span>|
<span style={{backgroundColor:'red'}}>ניצחונות שחקן</span>
</p>
<p style={{fontSize:'20px'}}>
<span style={{backgroundColor:'red' }} >_______{props.p}_______</span>|
<span style={{backgroundColor:'blue'}}>_______{props.c}_______</span>
</p>
</div>
)
}
|
const Augur = require("augurbot");
/*,
DubAPI = require("dubapi"),
WebhookClient = require("discord.js").WebhookClient,
config = require("../config/dubtrack.json"),
u = require("../utils/utils");
const icarus = new WebhookClient(config.id, config.token);
var dubReady = false,
dubBot = null,
nowPlaying = null;
const Module = new Augur.Module()
.addEvent("message", (msg) => {
if ((msg.channel.id == config.music) && (!msg.author.id != msg.client.user.id) && (msg.author.id != config.id) && dubReady) {
// POST TO DUBTRACK
try {
dubBot.sendChat(`*${msg.member.displayName}*: ${msg.cleanContent}`);
} catch(e) {
console.error(e);
}
}
})
.setInit((lastPlaying) => {
if (lastPlaying) nowPlaying = lastPlaying;
dubBot = new DubAPI({username: config.user, password: config.pass}, function(err, bot) {
if (err) return console.error(err);
console.log('Running DubAPI v' + bot.version);
bot.on('connected', function(name) {
console.log('Connected to Dubtrack Room ' + name);
dubReady = true;
});
bot.on('disconnected', function(name) {
if (dubReady) {
dubReady = false;
console.log('Disconnected from Dubtrack Room ' + name);
setTimeout(bot.connect, 15000);
}
});
bot.on('error', function(err) {
console.error(err);
});
bot.on(bot.events.chatMessage, function(data) {
if (data.user && data.user.username && icarus && (data.user.username != "LDSG_Icarus")) {
let message = `**${data.user.username}:** ${data.message}`
icarus.send(message).catch(console.error);
}
});
bot.on(bot.events.roomPlaylistUpdate, function(song) {
if (icarus && song.raw && song.raw.songInfo && (song.raw.songInfo.name != nowPlaying)) {
nowPlaying = song.raw.songInfo.name;
let embed = u.embed()
.setAuthor("Dubtrack.fm")
.setColor(0xeb008b)
.setURL("https://www.dubtrack.fm/join/lds-gamers")
.setTitle("Now Playing on Dubtrack.fm")
.setDescription(song.raw.songInfo.name)
.setThumbnail(song.raw.songInfo.images.thumbnail)
.setTimestamp();
icarus.send("", embed).catch(console.error);
}
});
bot.connect(config.url);
});
})
.setUnload(() => {
dubReady = false;
dubBot.disconnect();
return nowPlaying;
});
*/
module.exports = new Augur.Module();
|
const express = require('express');
const router = express.Router();
const auth_function = require("./../../functions/auth");
const merchant_controller = require("./../../controllers/merchant/index");
// Get user details
router.post("/fetch_user", merchant_controller.fetch_user);
// Perform A charge operation
router.post("/charge_user", merchant_controller.charge_user);
module.exports = router;
|
// pages/game/game.js
Page({
/**
* 页面的初始数据
*/
data: {
score: 0,
level: 1,
counter: 1
},
select: function (event) {
console.log(event.target.dataset.test);
if (event.target.dataset.test) {
this.setData({
score: this.data.score + 1
});
}
let boxes = [];
if (this.data.level < 10) {
this.data.level++;
}
let level = this.data.level;
let r = Math.floor(Math.random() * 256);
let g = Math.floor(Math.random() * 256);
let b = Math.floor(Math.random() * 256);
let color = `rgb(${r},${g},${b})`;
let selectedIndex = Math.floor(Math.random() * level * level);
let alpha = 1 - 1 / this.data.counter++;
console.log(alpha);
let selectedColor = `rgba(${r},${g},${b},${alpha})`;
let length = `${20 / level}rem`;
for (let index = 0; index < level * level; index++) {
boxes[index] = { length: length, color: color, test: false };
if (index === selectedIndex) {
boxes[index].color = selectedColor;
boxes[index].test = true;
}
}
this.setData({
boxes: boxes
});
},
/**
* 生命周期函数--监听页面加载
*/
onLoad: function (options) {
},
/**
* 生命周期函数--监听页面初次渲染完成
*/
onReady: function () {
},
/**
* 生命周期函数--监听页面显示
*/
onShow: function () {
},
/**
* 生命周期函数--监听页面隐藏
*/
onHide: function () {
},
/**
* 生命周期函数--监听页面卸载
*/
onUnload: function () {
},
/**
* 页面相关事件处理函数--监听用户下拉动作
*/
onPullDownRefresh: function () {
},
/**
* 页面上拉触底事件的处理函数
*/
onReachBottom: function () {
},
/**
* 用户点击右上角分享
*/
onShareAppMessage: function () {
}
})
|
/**
* 历史管理器
*/
var Phaser = Phaser || {};
var BirdsAnimals = BirdsAnimals || {};
BirdsAnimals.HistoryManager = function(gameState) {
"use strict";
Object.call(this);
this.gameState = gameState;
this.items = [];
};
BirdsAnimals.HistoryManager.prototype = Object.create(Object.prototype);
BirdsAnimals.HistoryManager.prototype.constructor = BirdsAnimals.HistoryManager;
// 计算跨度
BirdsAnimals.HistoryManager.prototype.getSpan = function(lotteryNum) {
var digits = [];
for(var i=0; i<lotteryNum.length; i++) {
digits.push(parseInt(lotteryNum[i]));
}
var max = digits[0], min = digits[0];
if(max < digits[1]) {
max = digits[1];
}
if(min > digits[1]) {
min = digits[1];
}
if(max < digits[2]) {
max = digits[2];
}
if(min > digits[2]) {
min = digits[2];
}
return max - min;
}
BirdsAnimals.HistoryManager.prototype.getAnimal = function(span) {
if(span == 3 || span == 4) {
return 'HOUZI';
} else if(span == 6 || span == 7) {
return 'GEZI';
} else if(span == 2) {
return 'XIONGMAO';
} else if(span == 8) {
return 'KONGQUE';
} else if(span == 9) {
return 'SHIZI';
} else if(span == 1) {
return 'LAOYING';
} else if(span == 5) {
return 'YINSHAYU';
} else if(span == 0) {
return 'JINSHAYU';
} else {
return 'HOUZI';
}
}
BirdsAnimals.HistoryManager.prototype.load = function(arr) {
for(var i=0; i<arr.length; i++) {
var preNum = this.getSpan(arr[i]);
var animalType = this.getAnimal(preNum);
var itemRaw = HISTORYRAW[animalType];
var pos = {
x: 158 + 45 * (i - 1),
y: game.height - 100
}
var item = new BirdsAnimals.HistoryItem(this.gameState, pos, itemRaw.texture, 'item', itemRaw);
this.items.push(item);
}
}
BirdsAnimals.HistoryManager.prototype.forward = function(animalType) {
var itemRaw = ITEMRAW[animalType];
for(var i=0; i<this.items.length-1; i++) {
this.items[i].frame = this.items[i+1].frame;
}
this.items[this.items.length-1].frame = itemRaw.frame;
}
|
'use strict';
angular.module('app', ['ionic', 'services'])
.run(function ($log, $ionicPlatform, $rootScope, $state, restoreSettings, settings, mode) {
// https://github.com/angular-ui/ui-router/wiki/Frequently-Asked-Questions\
// #issue-im-getting-a-blank-screen-and-there-are-no-errors
$rootScope.$on('$stateChangeError', console.log.bind(console));
$ionicPlatform.ready(function () {
// From ionic starter
// Hide the accessory bar by default (remove this to show the
// accessory bar above the keyboard for form inputs)
if (window.cordova && window.cordova.plugins.Keyboard) {
cordova.plugins.Keyboard.hideKeyboardAccessoryBar(true);
}
if (window.StatusBar) {
StatusBar.styleDefault();
}
});
$log.debug('hideTabs true');
$rootScope.hideTabs = true;
$rootScope.debug = mode === 'debug';
$rootScope.settings = settings;
restoreSettings();
if (settings.intro) {
$state.go('tabs.intro');
}
})
.controller('TabsController', function ($rootScope, configPromise, $log) {
// promise is resolved: https://github.com/angular-ui/ui-router/wiki
$rootScope.config = configPromise.data;
if ($rootScope.config.flavor === 'datta-deepam') {
// TODO add to ion-nav-title <img src="data/flavor/media/logo-44.png"
}
$log.debug('config', JSON.stringify($rootScope.config));
})
.config(function ($stateProvider, $urlRouterProvider, $logProvider, getDataProvider,
mode, $compileProvider) {
$logProvider.debugEnabled(mode === 'debug');
$compileProvider.debugInfoEnabled(mode !== 'build');
$stateProvider
.state('tabs', {
url: '/tabs',
abstract: true,
templateUrl: 'views/tabs.html',
resolve: {
configPromise: function () {
return getDataProvider.$get()('config.json');
}
},
controller: 'TabsController'
})
.state('tabs.intro', {
url: '/intro',
views: {
'intro-tab': {
templateUrl: 'views/intro/intro.html',
controller: 'IntroController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.intro');
};
}
})
.state('tabs.library', {
url: '/library',
resolve: {
indexPromise: function () {
return getDataProvider.$get()('flavor/library/index.json');
}
},
views: {
'library-tab': {
templateUrl: 'views/library/library.html',
controller: 'LibraryController'
}
},
onEnter: function ($rootScope, $state, Library) {
Library.updateDeckLists();
$rootScope.help = function () {
$state.go('tabs.library-help');
};
}
})
.state('tabs.library-help', {
url: '/libraryHelp',
views: {
'library-tab': {
templateUrl: 'views/library/help.html',
controller: 'LibraryHelpController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.library-help');
};
}
})
.state('tabs.deck', {
url: '/deck',
views: {
'deck-tab': {
templateUrl: 'views/deck/deck.html',
controller: 'DeckController'
}
},
onEnter: function ($rootScope, $state, Deck) {
$rootScope.help = function () {
$state.go('tabs.deck-help');
};
Deck.enterTab();
}
})
.state('tabs.deck-help', {
url: '/deckHelp',
views: {
'deck-tab': {
templateUrl: 'views/deck/help.html',
controller: 'DeckHelpController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.deck-help');
};
}
})
.state('tabs.card', {
url: '/card',
views: {
'card-tab': {
templateUrl: 'views/card/card.html',
controller: 'CardController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.card-help');
};
}
})
.state('tabs.card-help', {
url: '/cardHelp',
views: {
'card-tab': {
templateUrl: 'views/card/help.html',
controller: 'CardHelpController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.card-help');
};
}
})
.state('tabs.settings', {
url: '/settings',
views: {
'settings-tab': {
templateUrl: 'views/settings/settings.html',
controller: 'SettingsController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.settings-help');
};
},
onExit: function (saveSettings) {
saveSettings();
}
})
.state('tabs.about', {
url: '/about',
views: {
'settings-tab': {
templateUrl: 'views/about/about.html',
controller: 'AboutController'
}
},
onExit: function (settings, LocalStorage, _) {
var s = {};
_.extendOwn(s, settings);
LocalStorage.setObject('settings', s);
}
})
.state('tabs.reset', {
url: '/reset',
views: {
'settings-tab': {
templateUrl: 'views/reset/reset.html',
controller: 'ResetController'
}
},
onExit: function (saveSettings) {
saveSettings();
}
})
.state('tabs.settings-help', {
url: '/settingsHelp',
views: {
'settings-tab': {
templateUrl: 'views/settings/help.html',
controller: 'SettingsHelpController'
}
},
onEnter: function ($rootScope, $state) {
$rootScope.help = function () {
$state.go('tabs.settings-help');
};
}
});
$urlRouterProvider.otherwise('/tabs/library');
});
// To run code before angular, remove index.html ng-app attribute and use this function.
// ionic.Platform.ready(function () {
// console.log('device ready!"');
// // code here runs after device is ready and before angular bootstraps
// angular.bootstrap(document.body, ['app']);
// });
|
'use strict';
/**
*{type:'int'}
*/
module.exports = class IntCheck extends require('../base') {
static get type() {
return 'int';
}
check(value) {
if (typeof value !== 'number' || value % 1 !== 0) {
return 'should be an integer';
}
if ('max' in this.rule && value > this.rule.max) {
return 'should smaller than ' + this.rule.max;
}
if ('min' in this.rule && value < this.rule.min) {
return 'should bigger than ' + this.rule.min;
}
}
conver(value) {
if (typeof value !== 'string') {
return;
}
return parseInt(value, this.rule.radix);
}
};
|
import express from 'express';
import {fetchSelect, fetchSelectBatch} from './select';
import {search} from './search';
const api = express.Router();
// 获取单个下拉列表
api.get('/select/:type', async (req, res) => {
const result = await fetchSelect(req, req.params.type);
res.send({result, returnCode: 0});
});
// 批量获取下拉列表
api.post('/select', async (req, res) => {
const result = await fetchSelectBatch(req, req.body);
res.send({result, returnCode: 0});
});
// 模糊搜索
api.get('/search/:type', async (req, res) => {
res.send(await search(req, req.params.type, req.query.filter));
});
export default api;
|
import Application from './application';
import adaptServerData from './data/data-adapter';
const SERVER_URL = `https://es.dump.academy/pixel-hunter/`;
const DEFAULT_NAME = `Default`;
const APP_ID = 12132332721;
const checkStatus = (response) => {
if (response.ok) {
return response;
}
Application.showError(`${response.status}`);
throw new Error(`${response.status}: ${response.statusText}`);
};
const toJSON = (res) => res.json();
export default class Loader {
static loadData() {
return fetch(`${SERVER_URL}/questions`).then(checkStatus).then(toJSON).then(adaptServerData);
}
static loadResults(name = DEFAULT_NAME) {
return fetch(`${SERVER_URL}stats/:${APP_ID}-:${name}`).then(checkStatus).then(toJSON);
}
static saveResults(round, name = DEFAULT_NAME) {
const dataForLoad = {
date: new Date(),
round: {
fastBonuses: round.fastBonuses,
isCorrect: round.isCorrect,
isWin: round.isWin,
lives: round.lives,
livesBonuses: round.livesBonuses,
slowFine: round.slowFine,
stats: round.stats,
totalPoints: round.totalPoints
},
};
const requestSettings = {
body: JSON.stringify(dataForLoad),
headers: {
'Content-Type': `application/json`
},
method: `POST`
};
return fetch(`${SERVER_URL}stats/:${APP_ID}-:${name}`, requestSettings).then(checkStatus);
}
}
|
import { createSlice } from "@reduxjs/toolkit";
const cartSlice = createSlice({
name: "cart",
initialState: {
pizzaList: [],
cartCount: 0,
total: 0,
},
reducers: {
addPizza: (state, action) => {
state.pizzaList.push(action.payload);
state.total += action.payload.price * action.payload.qty;
state.cartCount += 1;
},
reset: (state) => {
state.pizzaList = [];
state.total = 0;
state.cartCount = 0;
},
},
});
export const { addPizza, reset } = cartSlice.actions;
export default cartSlice.reducer;
|
import { ROMAN_NUMBERS } from "../constants";
const FinderResult = ({ episode, title, releaseYear, director }) => (
<div className="bg-gray-100 flex px-6 py-4 rounded my-5 items-center">
<div className="bg-purple-500 rounded-full text-gray-100 font-semibold items-center justify-center h-14 w-14 mr-5 hidden sm:flex">
{episode}
</div>
<div>
<h2 className="text-xl font-semibold">
{title}
<span className="text-base ml-1 font-normal">({releaseYear})</span>
</h2>
<h3>
<span className="font-semibold">Director:</span> {director}
</h3>
</div>
</div>
);
const FinderResults = ({ items }) => (
<div className="w-full mt-8 md:mt-16" data-test="films">
{items.map((item, index) => {
const episode = ROMAN_NUMBERS[item.episode_id];
const releaseYear = new Date(item.release_date).getFullYear();
return (
<FinderResult
title={item.title}
episode={episode}
releaseYear={releaseYear}
director={item.director}
/>
);
})}
</div>
);
export default FinderResults;
|
angular.module('ngApp.fuelSurCharge').factory('FuelService', function ($http, config) {
var fuelService = function (fuelDetail) {
return $http.post(config.SERVICE_URL + '/FuelSurCharge/SaveFuelSurCharge', fuelDetail);
};
var GetOperationZone = function () {
return $http.get(config.SERVICE_URL + '/OperationZone/OperationZone');
};
var UpdateFuelSurCharge = function (fuelSurCharge) {
return $http.post(config.SERVICE_URL + '/FuelSurCharge/UpdateFuelSurCharge', fuelSurCharge);
};
var CurrentOperationZone = function () {
return $http.get(config.SERVICE_URL + '/OperationZone/GetCurrentOperationZone');
};
//var GetfuelService = function (OperationZoneId, LogisticCompany, Year) {
// return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetFuelSurCharge',
// {
// params: {
// OperationZoneId: OperationZoneId,
// LogisticCompany : LogisticCompany,
// Year: Year
// }
// });
//};
var GetfuelMonthYear = function (OperationZoneId) {
return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetFuelSurchargeMonthYear',
{
params: {
OperationZoneId: OperationZoneId
}
});
};
var GetfuelService = function (OperationZoneId, Year) {
return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetFuelSurCharge',
{
params: {
OperationZoneId: OperationZoneId,
Year: Year
}
});
};
var GetThreeFuelSurCharge = function (OperationZoneId, Year) {
return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetThreeFuelSurCharge',
{
params: {
OperationZoneId: OperationZoneId,
Year: Year
}
});
};
var GetDistinctFuelSurchargeYear = function () {
return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetDistinctFuelSurchargeYear');
};
var GetLogisticCompanies = function (OperationZoneId) {
return $http.get(config.SERVICE_URL + '/FuelSurCharge/GetDistinctLogisticCompany',
{
params: {
OperationZoneId: OperationZoneId
}
});
};
return {
fuelService: fuelService,
GetThreeFuelSurCharge: GetThreeFuelSurCharge,
GetOperationZone: GetOperationZone,
//GetfuelService: GetfuelService,
UpdateFuelSurCharge: UpdateFuelSurCharge,
CurrentOperationZone: CurrentOperationZone,
GetDistinctFuelSurchargeYear: GetDistinctFuelSurchargeYear,
GetLogisticCompanies: GetLogisticCompanies,
GetfuelService: GetfuelService,
GetfuelMonthYear: GetfuelMonthYear
};
});
|
require("../common/vendor.js"), (global.webpackJsonp = global.webpackJsonp || []).push([ [ "pages/building/price/_top_filter" ], {
"01d9": function(e, t, i) {
i.d(t, "b", function() {
return o;
}), i.d(t, "c", function() {
return c;
}), i.d(t, "a", function() {});
var o = function() {
var e = this;
e.$createElement;
e._self._c;
}, c = [];
},
"0a05": function(e, t, i) {
i.r(t);
var o = i("ad24"), c = i.n(o);
for (var n in o) [ "default" ].indexOf(n) < 0 && function(e) {
i.d(t, e, function() {
return o[e];
});
}(n);
t.default = c.a;
},
3796: function(e, t, i) {
var o = i("4266");
i.n(o).a;
},
3979: function(e, t, i) {
i.r(t);
var o = i("01d9"), c = i("0a05");
for (var n in c) [ "default" ].indexOf(n) < 0 && function(e) {
i.d(t, e, function() {
return c[e];
});
}(n);
i("3796");
var r = i("f0c5"), s = Object(r.a)(c.default, o.b, o.c, !1, null, "07556f9a", null, !1, o.a, void 0);
t.default = s.exports;
},
4266: function(e, t, i) {},
ad24: function(e, t, i) {
Object.defineProperty(t, "__esModule", {
value: !0
}), t.default = void 0;
var o = i("8006"), c = [ {
text: "楼栋顺序排序",
value: o.ORDER.ASC,
type: o.ORDER_TYPE.BLOCK_NO
}, {
text: "总价从高到低",
value: o.ORDER.DESC,
type: o.ORDER_TYPE.WATER_PRICE
}, {
text: "总价从低到高",
value: o.ORDER.ASC,
type: o.ORDER_TYPE.WATER_PRICE
}, {
text: "单价从高到低",
value: o.ORDER.DESC,
type: o.ORDER_TYPE.SQUARE_PRICE
}, {
text: "单价从低到高",
value: o.ORDER.ASC,
type: o.ORDER_TYPE.SQUARE_PRICE
}, {
text: "面积从大到小",
value: o.ORDER.DESC,
type: o.ORDER_TYPE.AREA
}, {
text: "面积从小到大",
value: o.ORDER.ASC,
type: o.ORDER_TYPE.AREA
} ], n = function() {
return {
orders: c,
selected_block: 0,
selected_unit: 0,
selected_decorate_type: 0,
selected_price: "",
selected_order: "",
show_block_picker: !1,
show_unit_picker: !1,
show_decorate_picker: !1,
show_price_picker: !1,
show_order_picker: !1,
show_decorate_tip: !0
};
}, r = {
data: function() {
return n();
},
onLoad: function() {
Object.assign(this.$data, n());
},
methods: {
hideDecorateTip: function() {
this.show_decorate_tip = !1;
},
changeBlock: function(e) {
this.selected_block = e, this.selected_unit = 0, this.$emit("changeFilter", {
block: this.block_nos[e].value,
unit: ""
});
},
changeUnit: function(e) {
this.selected_unit = e, this.$emit("changeFilter", {
unit: this.units[e].value
});
},
changeDecorate: function(e) {
this.selected_decorate_type = e, this.$emit("changeFilter", {
decoration_type: this.decoration_types[e].value
});
},
changePrice: function(e) {
this.selected_price = e, this.$emit("changeDecoratePrice", this.house_decorate_prices[e].value);
},
changeOrder: function(e) {
this.selected_order = e, this.$emit("changeOrder", this.orders[e]);
},
toggleBlockPicker: function() {
this.show_block_picker = !this.show_block_picker, this.$emit("on-show", this.show_block_picker);
},
toggleUnitPicker: function() {
this.show_unit_picker = !this.show_unit_picker, this.$emit("on-show", this.show_unit_picker);
},
toggleDecoratePicker: function() {
this.show_decorate_picker = !this.show_decorate_picker, this.$emit("on-show", this.show_decorate_picker);
},
toggleDecoratePrice: function() {
this.show_price_picker = !this.show_price_picker, this.$emit("on-show", this.show_price_picker);
},
toggleOrderPicker: function() {
this.show_order_picker = !this.show_order_picker, this.$emit("on-show", this.show_order_picker);
}
},
props: {
block_nos: {
type: Array
},
units: {
type: Array
},
decoration_types: {
type: Array
},
house_decorate_prices: {
type: Array
},
block_no: {
type: Number
},
decoration_type: {
type: String
},
unit: {
type: String
}
},
components: {
CommonSelect: function() {
i.e("components/form/common_select").then(function() {
return resolve(i("5302"));
}.bind(null, i)).catch(i.oe);
}
}
};
t.default = r;
}
} ]), (global.webpackJsonp = global.webpackJsonp || []).push([ "pages/building/price/_top_filter-create-component", {
"pages/building/price/_top_filter-create-component": function(e, t, i) {
i("543d").createComponent(i("3979"));
}
}, [ [ "pages/building/price/_top_filter-create-component" ] ] ]);
|
import React from 'react';
import {
StyleSheet,
View,
Text,
Dimensions
} from 'react-native';
import { Actions } from 'react-native-router-flux';
const SignUpSection = () => (
<View style={styles.container}>
<Text onPress={Actions.registerScreen} style={styles.text}>Регистрирай се</Text>
<Text style={styles.text}>Забравена парола?</Text>
</View>
);
const DEVICE_WIDTH = Dimensions.get('window').width;
const styles = StyleSheet.create({
container: {
flex: 0.2,
width: DEVICE_WIDTH,
flexDirection: 'row',
justifyContent: 'space-around',
marginTop: 10
},
text: {
color: 'white',
backgroundColor: 'transparent',
fontSize: 20,
fontWeight: '700',
fontFamily: 'Roboto',
zIndex: 101
}
});
export default SignUpSection;
|
/**
* Service
*/
angular.module('ngApp.setting').factory('SettingService', function ($http, config, SessionService) {
var GetPieceDetailsExcelPath = function () {
return $http.get(config.SERVICE_URL + '/Setting/GetPieceDetailsExcelPath');
};
var addAdminCharge = function (charges) {
return $http.post(config.SERVICE_URL + '/AdminCharges/CreateCharges', charges);
};
var getCustomerSpecificAdminCharges = function () {
return $http.get(config.SERVICE_URL + '/AdminCharges/GetCustomerSpecificAdminCharges');
};
var getAdminCharges = function (userId) {
return $http.get(config.SERVICE_URL + '/AdminCharges/GetAdminCharges', {
params: {
userId: userId
}
});
};
var deleteCustomerAdminCharge = function (adminChargeId) {
return $http.get(config.SERVICE_URL + '/AdminCharges/adminChargeId', {
params: {
adminChargeId: adminChargeId
}
});
};
var deleteAdminCharge = function (adminChargeId) {
return $http.get(config.SERVICE_URL + '/AdminCharges/DeleteAdminCharge', {
params: {
adminChargeId: adminChargeId
}
});
};
var saveCustomerCharge = function (charge) {
return $http.post(config.SERVICE_URL + '/AdminCharges/SaveCustomerCharge', charge);
};
var getCustomersWithoutCharges = function (userId, moduleType , mode) {
return $http.get(config.SERVICE_URL + '/AdminCharges/GetCustomersWithoutCharges', {
params: {
userId: userId,
moduleType: moduleType,
mode: mode
}
});
};
var removeCustomerAdminCharges = function (customerId, userId) {
return $http.get(config.SERVICE_URL + '/AdminCharges/RemoveCustomerAdminCharges', {
params: {
customerId: customerId,
userId: userId
}
});
};
return {
removeCustomerAdminCharges:removeCustomerAdminCharges,
getCustomersWithoutCharges:getCustomersWithoutCharges,
saveCustomerCharge: saveCustomerCharge,
deleteAdminCharge:deleteAdminCharge,
getAdminCharges:getAdminCharges,
getCustomerSpecificAdminCharges:getCustomerSpecificAdminCharges,
addAdminCharge:addAdminCharge,
GetPieceDetailsExcelPath: GetPieceDetailsExcelPath
};
});
|
export const LOAD_MY_WISHLIST = 'my-project/wishlist/LOAD_MY_WISHLIST';
export const LOAD_MY_WISHLIST_SUCCESS = 'my-project/wishlist/LOAD_MY_WISHLIST_SUCCESS';
export const LOAD_MY_WISHLIST_FAILURE = 'my-project/wishlist/LOAD_MY_WISHLIST_FAILURE';
export const LOAD_SHARED_WISHLIST = 'my-project/wishlist/LOAD_SHARED_WISHLIST';
export const LOAD_SHARED_WISHLIST_SUCCESS = 'my-project/wishlist/LOAD_SHARED_WISHLIST_SUCCESS';
export const LOAD_SHARED_WISHLIST_FAILURE = 'my-project/wishlist/LOAD_SHARED_WISHLIST_FAILURE';
export const LOAD_ADD_TO_WISHLIST = 'my-project/wishlist/LOAD_ADD_TO_WISHLIST';
export const LOAD_ADD_TO_WISHLIST_SUCCESS = 'my-project/wishlist/LOAD_ADD_TO_WISHLIST_SUCCESS';
export const LOAD_ADD_TO_WISHLIST_FAILURE = 'my-project/wishlist/LOAD_ADD_TO_WISHLIST_FAILURE';
export const LOAD_REMOVE_FROM_WISHLIST = 'my-project/wishlist/LOAD_REMOVE_FROM_WISHLIST';
export const LOAD_REMOVE_FROM_WISHLIST_SUCCESS = 'my-project/wishlist/LOAD_REMOVE_FROM_WISHLIST_SUCCESS';
export const LOAD_REMOVE_FROM_WISHLIST_FAILURE = 'my-project/wishlist/LOAD_REMOVE_FROM_WISHLIST_FAILURE';
export const LOAD_ADD_NOTE = 'my-project/wishlist/LOAD_ADD_NOTE';
export const LOAD_ADD_NOTE_SUCCESS = 'my-project/wishlist/LOAD_ADD_NOTE_SUCCESS';
export const LOAD_ADD_NOTE_FAILURE = 'my-project/wishlist/LOAD_ADD_NOTE_FAILURE';
export const LOAD_REMOVE_NOTE = 'my-project/wishlist/LOAD_REMOVE_NOTE';
export const LOAD_REMOVE_NOTE_SUCCESS = 'my-project/wishlist/LOAD_REMOVE_NOTE_SUCCESS';
export const LOAD_REMOVE_NOTE_FAILURE = 'my-project/wishlist/LOAD_REMOVE_NOTE_FAILURE';
export const LOAD_EDIT_NOTE = 'my-project/wishlist/LOAD_EDIT_NOTE';
export const LOAD_EDIT_NOTE_SUCCESS = 'my-project/wishlist/LOAD_EDIT_NOTE_SUCCESS';
export const LOAD_EDIT_NOTE_FAILURE = 'my-project/wishlist/LOAD_EDIT_NOTE_FAILURE';
export const LOAD_NOTES = 'my-project/wishlist/LOAD_NOTES';
export const LOAD_NOTES_SUCCESS = 'my-project/wishlist/LOAD_NOTES_SUCCESS';
export const LOAD_NOTES_FAILURE = 'my-project/wishlist/LOAD_NOTES_FAILURE';
export const LOAD_ADD_COLLABORATOR = 'my-project/wishlist/LOAD_ADD_COLLABORATOR';
export const LOAD_ADD_COLLABORATOR_SUCCESS = 'my-project/wishlist/LOAD_ADD_COLLABORATOR_SUCCESS';
export const LOAD_ADD_COLLABORATOR_FAILURE = 'my-project/wishlist/LOAD_ADD_COLLABORATOR_FAILURE';
export const LOAD_REMOVE_COLLABORATOR = 'my-project/wishlist/LOAD_REMOVE_COLLABORATOR';
export const LOAD_REMOVE_COLLABORATOR_SUCCESS = 'my-project/wishlist/LOAD_REMOVE_COLLABORATOR_SUCCESS';
export const LOAD_REMOVE_COLLABORATOR_FAILURE = 'my-project/wishlist/LOAD_REMOVE_COLLABORATOR_FAILURE';
export const TOGGLE_SHARED_WISHLIST = 'my-project/wishlist/TOGGLE_SHARED_WISHLIST';
|
import $ from 'jquery';
// fecthWeather is an async operation.
// The dispatcher WILL NOT wait
// redux middleware, redux-promise has to be added when the store is created
var fetchWeather = function(){
console.log("Fecthweather action in progrese...")
const weatherUrl = 'http://api.openweathermap.org/data/2.5/weather?units=imperial&zip=30324&appid=e312dbeb8840e51f92334498a261ca1d';
// jQuery AJAX always returns a promise. We no longer want to
// send our callback. redux-promise will handle it for us
const thePromise = $.getJSON(weatherUrl);
// $.getJSON(weatherUrl, (weatherData)=>{
// console.log(weatherData)
return{
type: "GET_WEATHER",
// we can return "thePromise" because redux-promise is
// going to make sure it;s ready BEFORE it's dispatch to the reducer
payload: thePromise
}
// })
}
export default fetchWeather;
|
import React from 'react';
import {MDBListGroup, MDBListGroupItem, MDBRow} from 'mdbreact';
import PropTypes from 'prop-types';
import {withRouter} from 'react-router-dom';
import classes from './index.module.css';
import writeArticle from '../../assets/writeArticle.svg';
import writeQuestion from '../../assets/writeQuestion.svg';
import writeReview from '../../assets/writeReview.svg';
import {CardMapper} from '../../component/mapper';
import {DefaultCardMapper} from '../../component/default-mapper';
import {languageHelper} from '../../../../tool/language-helper';
// todo,动态显示结果数
class SearchInsightResultReact extends React.Component {
constructor(props) {
super(props);
// state
this.state = {
backend: [],
searchType: 'article',
code: 0
};
// i18n
this.text = SearchInsightResultReact.i18n[languageHelper()];
}
componentDidMount() {
//搜索页面切换时,重新set搜索类型
this.props.handleSearchType();
}
componentWillUnmount() {
this.props.handleUnmount();
}
render() {
return (
<div className="cell-wall">
<div className="cell-membrane">
<MDBRow style={{marginTop: '2vw'}}>
<main className={classes.mainBody}>
{
this.props.backend && this.props.backend.length ?
(this.props.code === 2000 ? <CardMapper backend={this.props.backend}/> : (this.props.backend.status.code === 4040 ? <p>没有搜索结果。</p> :
<p>Here should be a loading card.</p>)
) : <DefaultCardMapper type={'questions'} />
}
</main>
<aside className={classes.sideBar}>
<MDBListGroup style={{fontSize: '1.25vw', marginBottom: '1.56vw'}}>
<MDBListGroupItem
hover
href="/article/create"
className={classes.listGroupItemsInsight}
>
<img src={writeArticle} className={classes.sidebarIcon} alt="icon" /> 写文章
</MDBListGroupItem>
<MDBListGroupItem
hover
href="/question/create"
className={classes.listGroupItemsInsight}
>
<img src={writeQuestion} className={classes.sidebarIcon} alt="icon" /> 提问题
</MDBListGroupItem>
<MDBListGroupItem
hover
href="/review/create"
className={classes.listGroupItemsInsight}
>
<img src={writeReview} className={classes.sidebarIcon} alt="icon" /> 写短评
</MDBListGroupItem>
</MDBListGroup>
<MDBListGroup style={{fontSize: '1.1vw'}}>
<MDBListGroupItem
className={classes.listGroupItemsTag}
>
<p style={{
color: '#31394D',
fontFamily: 'PingFang SC',
fontWeight: 'normal'
}}>标签</p>
</MDBListGroupItem>
<MDBListGroupItem
className={classes.listGroupItems}
>
<button className={classes.tagBtn}>求职技巧</button>
</MDBListGroupItem>
<MDBListGroupItem
className={classes.listGroupItems}
>
<button className={classes.tagBtnSelected}>面试经历</button>
</MDBListGroupItem>
<MDBListGroupItem
className={classes.listGroupItems}
style={{height: '10vh'}} />
</MDBListGroup>
</aside>
</MDBRow>
</div>
</div>
);
}
}
SearchInsightResultReact.i18n = [
{},
{}
];
SearchInsightResultReact.propTypes = {
// self
// React Router
match: PropTypes.object.isRequired,
history: PropTypes.object.isRequired,
location: PropTypes.object.isRequired,
handleSearchType: PropTypes.func.isRequired,
handleUnmount: PropTypes.func.isRequired,
backend: PropTypes.array.isRequired,
code: PropTypes.number.isRequired,
keyword: PropTypes.string.isRequired
};
export const SearchInsightResult = withRouter(SearchInsightResultReact);
|
import React from "react";
import { Form, Input, Button } from "antd";
const FormItem = Form.Item;
export default class LoginForm extends React.Component {
constructor(props) {
super(props);
this.state = {};
}
ref = this.props.formRef;
loginSubmit = (e) => {
e && e.preventDefault();
const _this = this;
this.ref.current.validateFields().then((values) => {
var formValue = _this.ref.current.getFieldsValue();
_this.props.loginSubmit({
username: formValue.username,
password: formValue.password,
});
});
};
checkUsername = (_, value) => {
var reg = /^\w+$/;
if (!reg.test(value)) {
return Promise.reject(new Error("用户名只允许输入英文字母或数字"));
} else {
return Promise.resolve();
}
};
checkPassword = (_, value) => {
var reg = /^\w+$/;
if (!reg.test(value)) {
return Promise.reject(new Error("密码只允许输入英文字母或数字"));
} else {
return Promise.resolve();
}
};
render() {
return (
<Form className="login-form" ref={this.ref}>
<FormItem
name="username"
rules={[
{
validator: this.checkUsername,
},
]}
>
<Input placeholder="用户名" />
</FormItem>
<FormItem
name="password"
rules={[{ required: true, message: "请输入密码" }]}
>
<Input type="password" placeholder="密码" />
</FormItem>
<FormItem>
<Button
type="primary"
onClick={this.loginSubmit}
className="login-form-button"
>
登录
</Button>
</FormItem>
</Form>
);
}
}
|
import {maps} from "../services";
import Game from "../shared/Game";
import GameDriver from "../game-driver";
export class Play
{
mapNotFound = false;
game = null;
driver = null;
view;
async activate({mapId}, routeConfig)
{
try
{
this.map = await maps.get(mapId);
routeConfig.navModel.setTitle(`Play ${this.map.name}`);
this.game = new Game(this.map.tileMap, this.map.width, this.map.height);
this.driver = new GameDriver(this.game);
}
catch (err)
{
console.error(err);
this.mapNotFound = true;
}
}
attached()
{
this.driver.connect(this.view);
this.view.focus();
this.driver.start();
}
reset(ev)
{
ev.preventDefault();
this.driver.reset();
this.driver.start();
this.view.focus();
}
}
|
var SETTINGS = {
api = 'http:...',
trackJsToken = '12345'
}
// --Exemplo--
function MyApp() {
if (!MyApp.instace) {
MyApp.instace = this;
}
return MyApp.instace;
}
|
var calculator = require('./calculator');
var multiply = (num1, num2) => num1 * num2;
var divide = (num1, num2) => num1 / num2;
var subtract = (num2, num1) => num2 - num1;
var add = (num1, num2) => Number(num1) + Number(num2);
module.exports = {
multiply,
divide,
subtract,
add
}
|
const gcd = (a, b) => {
if(a % b == 0)
return b;
else
return gcd(b, a % b);
}
const lcm = (a, b) => {
return (a * b) / gcd(a, b);
}
const cbn = (n, m) => {
return lcm(n, m) / m;
}
module.exports.gcd = gcd;
module.exports.lcm = lcm;
module.exports.cbn = cbn;
|
import { dotnet } from '@microsoft/dotnet-runtime'
import { color } from 'console-log-colors'
async function dotnetMeaning() {
try {
const { getAssemblyExports } = await dotnet.create();
const exports = await getAssemblyExports("Wasm.Node.WebPack.Sample");
const meaningFunction = exports.Sample.Test.Main;
return meaningFunction();
} catch (err) {
console.log(err)
throw err;
}
}
export async function main() {
const meaning = await dotnetMeaning()
console.log(color.blue("Answer to the Ultimate Question of Life, the Universe, and Everything is: ") + color.red(`${meaning}`));
}
|
import React, { useState, useEffect } from 'react';
const MedCabinet = () => {
const [searchTerm, setSearchTerm] = useState([]);
const handleChange = event => {
setSearchTerm(event.target.value);
};
useEffect(() => {
//filter through data here//
});
return (
<div>
<h1>Med Cabinet Dashboard</h1>
<div className="user-info">
<h2>User</h2>
<h3>User email</h3>
</div>
<div className="search-my-favs">
<div>Find New Strains</div>
<input
type="text"
placeholder="search"
value={searchTerm}
onChange={handleChange}
/>
</div>
</div>
);
}
export default MedCabinet;
|
import React, { useState } from 'react';
import { View, StyleSheet, TextInput, Button, Alert, Keyboard } from 'react-native';
import { THEME } from '../theme';
export const AddTodo = (props) => {
const [value, setValue] = useState('')
const pressHandler = () => {
if (!value.trim()) {
Alert.alert('empty message')
} else {
props.addTodo(value)
setValue('')
Keyboard.dismiss()
}
}
return (
<View style={styles.container}>
<TextInput style={styles.input} onChangeText={setValue}
value={value} placeholder='Введите текст' autoCorrect={false} autoCapitalize={'none'} />
<Button style={styles.button} title='Добавить' onPress={pressHandler} disabled={!value}/>
</View>
)
}
const styles = StyleSheet.create({
container: {
flexDirection: 'row',
justifyContent: 'space-between',
alignItems: 'center',
marginTop: 4,
marginBottom: 10,
marginHorizontal: 10
},
input: {
width: '70%',
borderStyle: 'solid',
borderBottomWidth: 2,
borderColor: THEME.NAVBAR_COLOR,
padding: 10
},
button: {
marginLeft: 10,
width: '30%',
justifyContent: 'center',
alignItems: 'center',
fontSize: 20,
}
})
|
import React from 'react';
import './Card.css';
import star from "./assets/order-page/star.svg";
import alarm_clock from "./assets/order-page/lightning_bolt.svg";
import lightning_bolt from "./assets/order-page/lightning_bolt.svg";
import person from "./assets/order-page/lightning_bolt.svg";
function Card(props) {
return (
<div className={props.cardType}>
<img id='recipe_image' src={props.imgsrc}></img>
<div id='title-info'>
<h5 id='recipe_title'>{props.title}</h5>
<div id='rating'>
<img id='rating_image' src={star}></img>
<h6 id='rating_num'>{props.rating}</h6>
</div>
</div>
<div id='desc'>
<div className='descriptor'>
<img className='descriptor_image' src={alarm_clock}></img>
<p className='descriptor_text'>{props.time} Minutes</p>
</div>
<div className='descriptor'>
<img className='descriptor_image' src={lightning_bolt}></img>
<p className='descriptor_text'>{props.calories} Calories</p>
</div>
<div className='descriptor'>
<img className='descriptor_image' src={person}></img>
<p className='descriptor_text'>{props.servings} Servings</p>
</div>
</div>
</div>
);
}
export default Card;
|
const schedule = require('node-schedule');
const exec = require('child_process').exec;
schedule.scheduleJob('0 0 12 ? * TUE *', function() {
exec('node decouverto-replica.js', console.log);
});
|
define(['services/logger','durandal/app', 'viewmodels/account', 'viewmodels/changePasswordModal'], function (logger,app,Account,ChangePasswordModal) {
var AccountModal = function() {
ko.validation.configure({
insertMessages: false,
decorateElement: true,
errorElementClass: 'error'
});
// Data
var self = this;
self.email = ko.observable('').extend({ email: true });
self.updatingEmail = ko.observable(false);
self.accountName = ko.observable('').extend({minLength : 2});
self.updatingName = ko.observable(false);
$.getJSON("/ajax/account",
function(data) {
var act = new Account(data);
self.email(act.email);
self.accountName(act.name);
}
);
self.activate = function() {
logger.log('AccountModal activated', null, 'accountModal');
return true;
};
self.updateName = function() {
self.updatingName(true);
$.ajax("/ajax/account/name",
{data: ko.toJSON(self.accountName)
, type: "put"
, contentType: "application/json"
, statusCode: {
202: function(data,textStatus,jqXHR) { /*Do something useful*/ },
400: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ },
401: function(jqXHR,textStatus,errorThrown) { /*Re-authenticate user */ },
500: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ },
503: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ }
}
}
).always(function() { self.updatingName(false); });
}
self.updateEmail = function() {
self.updatingEmail(true);
$.ajax("/ajax/account/email",
{data: ko.toJSON(self.email)
, type: "put"
, contentType: "application/json"
, statusCode: {
202: function(data,textStatus,jqXHR) { /*Do something useful*/ },
400: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ },
401: function(jqXHR,textStatus,errorThrown) { /*Re-authenticate user */ },
500: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ },
503: function(jqXHR,textStatus,errorThrown) { /*Do something useful */ }
}
}
).always(function() { self.updatingEmail(false); });
}
self.showPasswordDialog = function() {
app.showModal(new ChangePasswordModal());
}
self.ok = function() {
self.modal.close();
}
};
return (AccountModal);
});
|
import React from 'react'
import { Link } from 'react-router-dom'
class RightContent extends React.Component{
render(){
return (
<span>
<Link to="/course/test/statistics/average">统计分析></Link>
</span>
)
}
}
export default RightContent
|
(function() {
'use strict';
// Define the component and controller we loaded in our test
angular.module('components.students', [])
.controller('StudentsController', function(Students) {
var vm = this;
vm.students = Students.all();
})
.config(function($stateProvider) {
$stateProvider
.state('students', {
url: '/students',
templateUrl: 'components/students/students.html',
controller: 'StudentsController as sc'
})
/*.state('student', {
url: '/student/:id',
templateUrl: 'components/students/students.html',
controller: 'StudentsController as sc'
resolve:{
resolvedStudent: function(Students, $stateParams){
return Students.findById($stateParams.id);
}
}
})*/
;
});
})();
|
/**
* Created on 2016/4/15.
* @fileoverview 请填写简要的文件说明.
* @author joc (Firstname Lastname)
*/
class _MonkeyPagination extends MonkeyPagination {
constructor (name, settings) {
super(name, settings);
let self = this;
self.pickSettings(_.extend({
maxButtonCount: 10,
showPrev: true,
showNext: true,
show1st: false,
showLast: false,
prevLabel: '<',
nextLabel: '>',
firstLabel: '«',
lastLabel: '»',
showPageNumsNav: false,
pagesNavTempl: 'pagesNav',
pagesInfoTempl: 'pagesInfo',
pageInfoPosition: 'middle'
}, settings));
}
getPageRange () {
let self = this, beginPage, endPage, pageCount = self.totalPages();
beginPage = Math.max(0, self.page() - Math.ceil(self.maxButtonCount / 2));
endPage = beginPage + self.maxButtonCount - 1;
if (endPage >= pageCount) {
endPage = pageCount - 1;
beginPage = Math.max(0, endPage - this.maxButtonCount + 1);
}
return [beginPage, endPage];
}
}
MonkeyPagination = _MonkeyPagination;
|
import React, { Component } from 'react';
import cover from '../Assets/cover_dev.jpg';
import sitemap from '../Assets/cover.jpg';
import './WelcomeContainer.css';
export const WelcomeContainer = () => {
const backgroundStyling = {
background: `linear-gradient(to top, rgba(0, 0, 0), rgba(0, 0, 0, 0)), url(${cover}) no-repeat center top`,
backgroundSize: 'cover',
}
const coverStyling = {
background: `url(${sitemap})`,
backgroundSize: 'cover',
}
return(
<section className="welcome_container" style={backgroundStyling}>
<header className="welcome_header_component">
<h1 className="welcome_header_name">PORTFOLIO: HOME</h1>
<h3 className="welcome_header_name">CODE</h3>
<h3 className="welcome_header_name">DESIGN</h3>
<h3 className="welcome_header_name">ABOUT</h3>
</header>
<section className="welcome_body_component">
<h1 className="welcome_intro_name">JESSE MAXIM</h1>
<h1 className="welcome_body_title">Software Developer <br /> Graphic Designer <br />based in Denver</h1>
<div className="welcome_button_container">
<button className="welcome_button_cv welcome_button">Download CV</button>
<button className="welcome_button_contact welcome_button">Contact</button>
</div>
</section>
</section>
)
}
|
export const GET_EMPLOYEES = "GET_EMPLOYEES";
export const POST_EMPLOYEES = "POST_EMPLOYEES";
export const DELETE_EMPLOYEES = "DELETE_EMPLOYEES";
export const PUT_EMPLOYEES = "PUT_EMPLOYEES";
|
import React, { useEffect, useState } from "react";
import axios from "axios";
import PropTypes from "prop-types";
import { useHistory } from "react-router-dom";
import "./postExemplar.scss";
import userPic from "../images/userPic.png";
const PostExemplar = ({ post }) => {
const [avatar, setAvatar] = useState(userPic);
const [author, setAuthor] = useState("");
let history = useHistory();
useEffect(() => {
const fetchPostInformation = async () => {
const res = await axios.get(
`${process.env.REACT_APP_DATABASE_URL}/users/${post.authorUid}.json`
);
setAvatar(res.data.avatar);
setAuthor(res.data.name + " " + res.data.surname);
};
fetchPostInformation();
}, [post.authorUid]);
return (
<div className="post-exemplar">
<img className="post-image" src={avatar} alt="#" />
<div
onClick={() => {
history.push(`/id${post.authorId}`);
}}
className="post-name"
>
{author}
</div>
<div className="post-date">{post.postDate}</div>
<p className="post-text">{post.postText}</p>
</div>
);
};
export default PostExemplar;
PostExemplar.propTypes = {
props: PropTypes.object
};
|
const socketio = require("socket.io");
let io;
let player;
let playerX;
let playerO;
let board = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0],
];
let win;
let numMovimentos = 0;
const endGame = (posX, posY, board, player) => {
let end = false;
if (
board[posX][0] === player &&
board[posX][1] === player &&
board[posX][2] === player
) {
end = [
[posX, 0],
[posX, 1],
[posX, 2],
];
}
if (
board[0][posY] === player &&
board[1][posY] === player &&
board[2][posY] === player
) {
end = [
[0, posY],
[1, posY],
[2, posY],
];
}
if (
board[0][0] === player &&
board[1][1] === player &&
board[2][2] === player
) {
end = [
[0, 0],
[1, 1],
[2, 2],
];
}
if (
board[0][2] === player &&
board[1][1] === player &&
board[2][0] === player
) {
end = [
[0, 2],
[1, 1],
[2, 0],
];
}
return end;
};
const fullRoom = (socket) => {
io.emit("fullRoom");
socket.disconnect();
return;
};
const enterRoom = (socket, id) => {
if (!playerX) playerX = id;
else if (!playerO) {
playerO = id;
player = playerX;
} else if (id === playerX || id === playerO) return fullRoom(socket);
if (playerX && playerO)
io.emit("startGame", { playerX, playerO, board, firstPlayer: playerX });
};
exports.setupWebSocket = (server) => {
io = socketio(server);
io.on("connection", (socket) => {
enterRoom(socket, socket.id);
socket.send(socket.id);
socket.on("move", (position) => {
var position =
typeof position === "object" ? position : JSON.parse(position);
posX = position.x;
posY = position.y;
if (player !== position.gamerId || win) return;
board[posX][posY] = player;
numMovimentos++;
win = endGame(posX, posY, board, player);
player = player === playerX ? playerO : playerX;
io.emit("nextMove", { playerX, playerO, board, nextPlayer: player });
if (!win && numMovimentos === 9) {
return io.emit("draw");
}
if (win) {
return io.emit("endGame", { playerId: socket.id, play: win });
}
});
socket.on("newGame", () => {
board = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0],
];
numMovimentos = 0;
win = null;
player = playerX;
io.emit("startGame", {
playerX,
playerO,
board,
firstPlayer: playerX,
});
});
socket.on("disconnect", () => {
if (playerO === socket.id) playerO = null;
if (playerX === socket.id) playerX = null;
board = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0],
];
numMovimentos = 0;
win = null;
player = playerX;
});
});
};
|
var distance_array = [];
$(document).ready(function(){
navigator.geolocation.getCurrentPosition(onSuccessGeolocation_cur, onErrorGeolocation_cur);
});
function onSuccessGeolocation_cur(position) {
loop(position.coords.latitude, position.coords.longitude);
var ans = [];
$.each(distance_array, function(index1, value1){
$.each(postList,function(index2,value2){
if(routeList[distance_array[index1][0]].id == postList[index2].route_id)
{
ans.push(postList[index2]);
return false;
}
})
});
ans = ans.reverse();
$('#tbody').empty();
$.each(ans, function(index, value){
var html = "<tr>"+
" <td style ='width : 300px'>" + ans[index].route_id + "</td>" +
" <td style ='width : 800px'>" + ans[index].name + "</td>" +
" <td style ='width : 300px'>" + ans[index].heart + "</td>" +
" <td style ='width : 100px'><button class='btn btn-outline-secondary' type='button' onclick='Go(" + ans[index].route_id + ")'>Go</button></td>" +
"</tr>";
$('#tbody').append(html);
});
$('#showTable').dataTable({"autoWidth": false ,
searching: false,
lengthChange: false,
ordering : false,
info:false});
}
function Go(idx)
{
getView('load_map?route_id='+idx);
}
function onErrorGeolocation_cur() {
}
function loop(lat, lng) {
var temp_array = [];
distance_array = [];
$.each(routeList, function(index,value){
temp_array.push([value.x[0], value.y[0]]);
var _lat = temp_array[index][0];
var _lng = temp_array[index][1];
distance_array.push([index, calcDistance(lat, lng, _lat, _lng)]);
});
distance_array.sort(function (a,b){ return a[1] - b[1] });
}
function calcDistance(lat1, lng1, lat2, lng2)
{
var theta = lng1 - lng2;
dist = Math.sin(deg2rad(lat1)) * Math.sin(deg2rad(lat2)) + Math.cos(deg2rad(lat1))
* Math.cos(deg2rad(lat2)) * Math.cos(deg2rad(theta));
dist = Math.acos(dist);
dist = rad2deg(dist);
dist = dist * 60 * 1.1515;
dist = dist * 1.609344;
return Number(dist*1000).toFixed(2);
}
function deg2rad(deg) {
return (deg * Math.PI / 180);
}
function rad2deg(rad) {
return (rad * 180 / Math.PI);
}
|
/// <reference path="knockout-2.3.0.js" />
/// <reference path="jquery-2.0.3.js" />
var firstAlbumId = 0;
function Artist(artistId, artistName) {
var self = this;
self.ArtistId = ko.observable(artistId);
self.Name = ko.observable(artistName);
self.ArtistAlbumsUrl = ko.computed(function () {
return "../api/albums?artistId=" + this.ArtistId();
}, this);
}
function Album() {
var self = this;
self.AlbumId = ko.observable();
self.Title = ko.observable("");
self.ArtistId = ko.observable();
}
function Genre(genreId, name) {
var self = this;
self.GenreId = ko.observable(genreId);
self.Name = ko.observable(name)
}
function Track(trackId, name, genre, milliseconds, unitPrice) {
// Properties
var self = this;
self.TrackId = ko.observable(trackId);
self.Name = ko.observable(name);
self.Genre = ko.observable(genre);
self.Milliseconds = ko.observable(milliseconds);
self.UnitPrice = ko.observable(unitPrice);
self.FormattedPrice = ko.computed(function () {
return self.UnitPrice() + " $";
}, this);
self.CurrentTemplate = ko.observable("displayTrack");
// Functions
self.editTrack = function () {
self.CurrentTemplate("editTrack");
}
self.cancelEditTrack = function () {
self.CurrentTemplate("displayTrack");
}
self.updateTrack = function () {
var updatedTrack = {
TrackId: self.TrackId(),
Name: self.Name(),
Genre: self.Genre(),
Milliseconds: self.Milliseconds(),
UnitPrice: self.UnitPrice()
};
$.ajax({
type: "PUT",
url: "/api/tracks/"+self.TrackId(),
dataType: "json",
data: updatedTrack,
success: function () {
$('#divTrackUpdated').slideDown(3000);
$('#divTrackUpdated').slideUp(500);
self.CurrentTemplate("displayTrack");
},
error: function () {
alert('Error while trying to update track..');
}
});
}
}
function ChinookViewModel() {
// Properties
var self = this;
this.ArtistsSearched = ko.observableArray([]);
this.ArtistAlbumsSearched = ko.observableArray([]);
this.AlbumTracks = ko.observableArray([]);
this.Genres = ko.observableArray([]);
// Functions
this.searchArtists = function () {
//$('#tblSearchArtistAlbums').css('visibility', 'hidden');
$('#divSelectArtistAlbums').css('visibility', 'hidden');
$('#tblSelectedAlbumTracks').css('visibility', 'hidden');
var name = $('#inputSearchArtist').val();
$('#tbodySearchArtists').empty();
$.getJSON("/api/artists?name=" + name, function (artists) {
$.each(artists, function (index, artist) {
self.ArtistsSearched.push(new Artist(artist.ArtistId, artist.Name));
});
});
$('#tblSearchArtists').css('visibility', 'visible');
};
this.showArtistAlbums = function (artist) {
self.ArtistAlbumsSearched([]);
$('#tbodySearchArtistAlbum').empty();
$.getJSON(artist.ArtistAlbumsUrl(), function (albums) {
$.each(albums, function (index, album) {
self.ArtistAlbumsSearched.push(album);
});
firstAlbumId = albums[0].AlbumId;
}).done(function () { self.showAlbumTracks(); });
$('#divSelectArtistAlbums').css('visibility', 'visible');
};
this.showAlbumTracks = function (data, event) {
if (data == null) {
data = firstAlbumId;
}
$('#tblSelectedAlbumTracks').css('visibility', 'visible');
self.AlbumTracks([]);
$.getJSON('/api/tracks?albumId=' + data, function (tracks) {
$.each(tracks, function (index, track) {
self.AlbumTracks.push(new Track(track.TrackId, track.Name, track.Genre, track.Milliseconds, track.UnitPrice));
});
});
}
}
var vm = new ChinookViewModel();
// Initialize Genres
$.getJSON('/api/genres/', function (genres) {
$.each(genres, function (index, genre) {
vm.Genres.push(genre);
});
})
ko.applyBindings(vm);
|
import React, { useState, useMemo, useCallback } from "react";
import { QuestionContext } from "./QuestionContext";
import {
getQuestions,
createQuestion,
editQuestion,
deleteQuestion,
} from "../../api/questionsApi";
const QuestionState = ({ children }) => {
const [questions, setQuestions] = useState([]);
const [questionsLoading, setQuestionsLoading] = useState(false);
const fetchQuestions = useCallback(async () => {
setQuestionsLoading(true);
const questionsArray = await getQuestions();
if (questionsArray && questionsArray.error) {
setQuestionsLoading(false);
return;
} else {
setQuestions(questionsArray.data);
setQuestionsLoading(false);
}
}, []);
const submitNewQuestion = async (data) => {
const updatedQuestions = await createQuestion(data);
if (updatedQuestions && updatedQuestions.error) {
return updatedQuestions;
} else {
setQuestions(updatedQuestions.data.questions);
}
};
const updateQuestion = async (question, data) => {
const updatedQuestions = await editQuestion(question.id, data);
if (updatedQuestions && updatedQuestions.error) {
return updatedQuestions;
} else {
setQuestions(updatedQuestions.data.questions);
}
};
const deleteUserQuestion = async (question) => {
if (window.confirm("Are you sure you want to delete this question?")) {
const updatedQuestions = await deleteQuestion(question.id);
if (updatedQuestions.error) {
return updatedQuestions;
} else {
setQuestions(updatedQuestions.data.questions);
}
}
};
const value = useMemo(
() => ({
questions,
questionsLoading,
fetchQuestions,
submitNewQuestion,
updateQuestion,
deleteUserQuestion,
}),
[questions, questionsLoading, fetchQuestions]
);
return (
<QuestionContext.Provider value={value}>
{children}
</QuestionContext.Provider>
);
};
export default QuestionState;
|
import React from "react";
import {useDispatch} from "react-redux";
import PropTypes from "prop-types";
import momentTz from "moment-timezone";
import Typeahead from "react-bootstrap-typeahead/lib/components/Typeahead";
import {updateClock} from "../../store/actions/actions";
const TimezoneAutocomplete = ({timezone, index}) => {
const dispatch = useDispatch();
const updateTimezone = (value) => {
dispatch(updateClock({
index: index,
timezone: value
}));
};
return (
<Typeahead
id={`timezone-autocomplete-${index}`}
labelKey={(option) => option.replace(/_/g, " ").replace(/\//g, " - ")}
onChange={(values) => values.length && updateTimezone(values[0])}
options={momentTz.tz.names()}
placeholder="Выберите город..."
defaultSelected={[timezone]}
paginationText="Показать еще"
align="left"
/>
);
};
TimezoneAutocomplete.propTypes = {
timezone: PropTypes.string,
index: PropTypes.number.isRequired
};
export {TimezoneAutocomplete};
|
class HTTP {
constructor(base = '') {
this.base = base
this.interceptors = []
this.use = this.use.bind(this)
this.add = this.add.bind(this)
this.get = this.get.bind(this)
this.post = this.post.bind(this)
this.method = this.method.bind(this)
}
use(interceptor) {
this.interceptors.push(interceptor)
}
add(key, val) {
return (opts) => {
opts[key] = val
return opts
}
}
get(url, type, ...interceptors) {
return this.method(url, type, 'GET', ...interceptors)
}
post(url, data, type, ...interceptors) {
return this.method(url, type, 'POST', this.add('body', data), ...interceptors)
}
method(url, type = 'json', method, ...interceptors) {
const target = this.base + url
const opts = this.interceptors
.concat(interceptors, this.add('method', method))
.reduce((opts, interceptor) => interceptor(opts), {})
return fetch(target, opts).then(response => response[type]())
}
}
export default HTTP
|
var BALANCING_SYNC_URL = "https://sdtproduction.azure-api.net/balancingrs"
var TRANSACTION_SYNC_URL = "https://sdtproduction.azure-api.net/transactionrs";
var SECURITY_SYNC_URL = "https://sdtproduction.azure-api.net/securityrs";
//Subscrption key
var SUBSCRIPTION_KEY_NAME = "Ocp-Apim-Subscription-Key"
var SUBSCRIPTION_KEY_VALUE = "749b06eb5f7b4a42aebff44c621fe073";
|
import shoppath from './shoppath'
const path = [{
path: '/receivables',
name: '收款明细',
meta: {
title: '收款明细', noCache: true
},
component: (resolve) => require(['../views/index.vue'], resolve),
children: shoppath
}]
export default path;
|
function countvalues(value) {
resplist = responsekeys.split(/,/);
cnt = 0;
for (respid in resplist) {
listobj = document.forms['categorizationform'].elements['cat_' + resplist[respid]];
if (listobj.options[listobj.selectedIndex].value == value) {
cnt++;
}
}
return cnt;
}
function checkmaxrange(listobj) {
if (maxitemspercategory && !allowmultiple) {
if (countvalues(listobj.options[listobj.selectedIndex].value) > maxitemspercategory) {
alert(message);
listobj.selectedIndex = 0;
listobj.focus();
}
}
}
|
/**
* 账户
* @type {mongoose.Schema}
*/
let mongoose = require('mongoose');
let Schema = mongoose.Schema;
let AccountSchema = new Schema({
_id: Number, // 账户ID
accountName: String, // 账户名称
// bankName:String, // 开户银行
accountNo:String, //账号
initMoney: {type:Number,default:0}, //初始金额
balance: {type:Number,default:0}, // 余额
remark: String // 备注
});
module.exports = AccountSchema;
|
import React, { Component } from 'react';
import './css/calculadora.css'
//Containers
import Somar from './../containers/SomarValor'
import ResultadoDaSoma from './../containers/Resultado'
class Calculadora extends Component {
render() {
const { title, tipo } = this.props
return (
<div>
<p className="title">{title}</p>
{tipo === "1" &&
<div>
<ResultadoDaSoma />
<Somar />
</div>
}
</div>
)
}
}
export default Calculadora
|
import React, { Component } from 'react'
class SearchForm extends Component {
state = {
search: ''
}
submitSearch = (e) => {
e.preventDefault();
this.props.onSubmitSearch({value: this.state.search})
}
render() {
return (
<form onSubmit={this.submitSearch}>
<div className="form-group">
<label htmlFor=""></label>
<input onChange={ (e) => this.setState({ search: e.target.value }) } placeholder="Search a user ..." type="text" className="form-control"/>
</div>
<button onSubmit={this.submitSearch} className="btn btn-success btn-block">
<i className="fa fa-search"></i> Search
</button>
</form>
)
}
}
export default SearchForm
|
"use strict";
exports.__esModule = true;
exports.FilemakerResponse = void 0;
var Client_1 = require("./Client");
var Response_1 = require("./Response");
exports.FilemakerResponse = Response_1.FMResponse;
exports["default"] = Client_1.Client;
|
// CodeMirror, copyright (c) by Marijn Haverbeke and others
// Distributed under an MIT license: http://codemirror.net/LICENSE
(function(mod) {
if (typeof exports == "object" && typeof module == "object") // CommonJS
mod(require("../../lib/codemirror"));
else if (typeof define == "function" && define.amd) // AMD
define(["../../lib/codemirror"], mod);
else // Plain browser env
mod(CodeMirror);
})(function(CodeMirror) {
"use strict";
CodeMirror.defineSimpleMode("lasm", {
// The start state contains the rules that are intially used
start: [
{regex: /;.*/i, token: "comment"},
{regex: /equ|org|#/i, token: "keyword-3"},
{regex: /(?:halt|addr,r[0-9A-F]|subr,r[0-9A-F]|andr,r[0-9A-F]|xorr,r[0-9A-F]|shrl,r[0-9A-F]|shrr,r[0-9A-F]|load,r[0-9A-F]|stor,r[0-9A-F]|brnz,r[0-9A-F]|brnp,r[0-9A-F]|jmpr,r[0-9A-F]|jmpl,r[0-9A-F]|nop|jmp|hex|ascii)\b/i, token: "keyword"},
{regex: /R[a-f\d]/i, token: "keyword-2"},
{regex: /"[^"]*"?/i, token: "string"},
{regex: /[$%]?[0-9A-F]+[\s]?/i, token: "number"},
{regex: /[-+\/*,@]+/, token: "operator"},
{regex: /^[a-z]+/, token: "variable"},
],
// The meta property contains global information about the mode. It
// can contain properties like lineComment, which are supported by
// all modes, and also directives like dontIndentStates, which are
// specific to simple modes.
meta: {
dontIndentStates: ["comment"],
lineComment: ";"
}
});
CodeMirror.defineMIME("text/x-lasm", "lasm");
});
|
import CommentForm from './CommentForm'
import CommentList from './CommentList'
import Layout from './Layout'
import Link from './Link'
export {
CommentForm,
CommentList,
Layout,
Link,
}
|
var formulaire = document.getElementById('contact_form');
var tooltip = document.getElementById('tooltip');
function afficherMessage(message) {
tooltip.innerHTML = message;
tooltip.style.display = 'block';
tooltip.style.backgroundColor="silver";
tooltip.style.color="navy";
}
function afficherDonnees(message) {
tooltip.innerHTML = message;
tooltip.style.display = 'block';
tooltip.style.backgroundColor="silver";
tooltip.style.color="green";
}
function estVide(champ) {
if (champ.value==null || champ.value=="") {
return true;
}
return false;
}
function champVide(value) {
return "Le champ <strong>"+value+"</strong> est vide! <br/>";
}
function champInvalide(value) {
return "Le champ <strong>"+value+" n'est pas valide</strong>! <br/>";
}
function emailNonValide(email) {
var reg = new RegExp('^[a-z0-9]+([_\.-]{1}[a-z0-9]+)*@[a-z0-9]+([_\.-]{1}[a-z0-9]+)*[\.]{1}[a-z]{2,6}$', 'i');
if (reg.test(email)) {
return false; // adresse est invalide
}
else {
return true;
}
}
function validerFormulaire() {
var data = "<p>Vos données sont valides </p>"
var rapport = "";
var erreur = false;
var emailErreur = false;
var numero = 0;
if (estVide(formulaire.name)) {
rapport += " " + ++numero + ") " + champVide("Nom");
erreur = true;
} else {
data += '<span class="label">Nom :</span> '+formulaire.name.value+'<br/>';
createCookie("name",formulaire.name.value,31);
}
if (estVide(formulaire.firstname)) {
rapport += " " + ++numero + ") " + champVide("Prénom");
erreur = true;
} else {
data += '<span class="label">Prénom :</span> '+formulaire.firstname.value+'<br/>';
createCookie("firstname",formulaire.firstname.value,31);
}
if (estVide(formulaire.mail)) {
rapport += " " + ++numero + ") " + champVide("Email");
erreur = true;
} else if (emailNonValide(formulaire.mail.value)) {
rapport += " " + ++numero + ") " + champInvalide("Email");
emailErreur = true;
} else {
data += '<span class="label">Email :</span> '+formulaire.mail.value+'<br/>';
createCookie("mail",formulaire.mail.value,31);
}
if (estVide(formulaire.object)) {
rapport += " " + ++numero + ") " + champVide("Objet");
erreur = true;
} else {
data += '<span class="label">Objet :</span> '+formulaire.object.value+'<br/>';
createCookie("object",formulaire.object.value,31);
}
if (estVide(formulaire.message)) {
rapport += " " + ++numero + ") " + champVide("Message");
erreur = true;
} else {
data += '<span class="label">Message :</span> '+formulaire.message.value+'<br/>';
createCookie("message",formulaire.message.value,31);
}
if (erreur || emailErreur) {
afficherMessage(rapport);
return false;
} else {
afficherDonnees(data);
return true;
}
}
function setFormValue(elementId){
//fonction qui affiche la quantité de produit sauvgarder dans les cookie
if (readCookie(elementId)){
document.getElementById(elementId).value = readCookie(elementId);
}
}
setFormValue('name');
setFormValue('firstname');
setFormValue('mail');
setFormValue('object');
setFormValue('message');
formulaire.onsubmit = validerFormulaire;
|
import React from 'react';
import { View, Image, Platform } from 'react-native';
import { slidelogo } from 'kitsu/assets/img/intro/';
import AnimatedWrapper from 'kitsu/components/AnimatedWrapper';
import { KeyboardAwareScrollView } from 'react-native-keyboard-aware-scroll-view';
import styles from './styles';
const AuthWrapper = ({ children }) => (
<KeyboardAwareScrollView
enableOnAndroid={false}
extraHeight={80}
contentContainerStyle={styles.stretch}
scrollEnabled={Platform.select({ ios: false, android: true })}
>
<View style={styles.stretch}>
<AnimatedWrapper />
<Image style={styles.logo} resizeMode={'contain'} source={slidelogo} />
</View>
{children}
</KeyboardAwareScrollView>
);
export default AuthWrapper;
|
import React from 'react'
import { StyledCurrencyValue, StyledValue, StyledCurrency } from './currency-value.style';
const CurrencyValue = ({ currency, value }) => {
value = value.toFixed(2)
return (
<StyledCurrencyValue>
<StyledValue>{value}</StyledValue>
<StyledCurrency>{currency}</StyledCurrency>
</StyledCurrencyValue>
)
}
export default CurrencyValue
|
function CerrarSesion() {
localStorage.setItem("UserId", null);
localStorage.setItem("User", JSON.stringify(null));
window.location.replace("../../index.html");
}
|
import React, { Component } from "react";
import "./ScoreBoard.css";
export default class PlayerList extends Component {
constructor(props) {
super(props);
let playerCount = Object.keys(props.playerList).length;
this.state = {
playerList: props.playerList,
playerCount: playerCount,
};
}
static getDerivedStateFromProps(nextProps, prevState) {
let newPlayerCount = Object.keys(nextProps.playerList).length;
if (newPlayerCount !== prevState.playerCount) {
return { playerList: nextProps.playerList };
}
return null;
}
render() {
let bluePlayers = [];
let redPlayers = [];
for (let [key, value] of Object.entries(this.state.playerList)) {
if (value.team === "blue") {
bluePlayers.push(<div key={value.id}>{value.name}</div>);
} else {
redPlayers.push(<div key={value.id}>{value.name}</div>);
}
}
return (
<div>
<div className="score-board">
<div className="score-board-titles">
<div className="team-title blue-team-title">
<div>BLUE</div>
<div id="blue-win-count">0</div>
</div>
<div className="trophy-icon"></div>
<div className="team-title red-team-title">
<div>0</div>
<div id="red-win-count">RED</div>
</div>
</div>
<div className="player-list-container">
<div className="player-list" id="blue-player-list">
{bluePlayers}
</div>
<div className="player-list" id="red-player-list">
{redPlayers}
</div>
</div>
</div>
</div>
);
}
}
|
import { useState } from 'react';
import {
ChakraProvider,
Grid,
theme,
Input,
Flex,
Collapse,
InputGroup,
InputRightElement,
Spinner,
} from '@chakra-ui/react';
import { SearchIcon } from '@chakra-ui/icons'
import User from './User';
import History from './History';
function App() {
const [showUser, setShowUser] = useState(true);
const [loading, setLoading] = useState(true);
return (
<ChakraProvider theme={theme}>
<Flex align='center' justify='center'>
<Grid maxW="800px" mt={100} display="flex" flexDirection="column" alignItems="center">
<InputGroup>
<Input width="xl" placeholder="Search with ID" size="lg" mb={10} />
<InputRightElement children={loading ? <Spinner mt={2} mr={3} /> : <SearchIcon w={5} h={5} mt={2} mr={2} color="green.500" />} />
</InputGroup>
<Collapse in={showUser} animateOpacity>
<User name="Nayeem Reza" phone="01726106981" />
</Collapse>
<History />
</Grid>
</Flex>
</ChakraProvider>
);
}
export default App;
|
function FirstReverse(str) {
let reverse = "";
str.split("").forEach(letter => {
reverse = letter + reverse;
});
return reverse;
}
|
// @flow
import React, { Component } from "react";
import {
Container,
Text,
Item,
Icon,
List,
ListItem,
Card,
CardItem
// $FlowFixMe
} from "native-base";
import store from "../store/store";
import type { Repo } from "./Repo";
import { getSorterProjectsWithScores } from "./projectsComparator";
import type { RepoScoreIdTriple } from "./projectsComparator";
type State = {
repos: Repo[]
};
class GitRepos extends Component<{}, State> {
constructor(props: empty) {
super(props);
this.state = {
repos: []
};
}
componentDidMount() {
const storeState = store.getState();
this.setState({ repos: storeState.projectsToCompare });
}
renderRepos(repos: Repo[]) {
const sortedProjects: RepoScoreIdTriple[] = getSorterProjectsWithScores(repos);
return (
<List
dataArray={sortedProjects}
renderRow={(rsp: RepoScoreIdTriple) => {
const { repo, score, id } = rsp;
return (
<ListItem>
<Card>
<CardItem header bordered>
<Item>
<Icon name="github-circle" type="MaterialCommunityIcons" />
<Text>{repo.name}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="list-number" type="Foundation" />
<Text>{`Position: ${id + 1}`}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="arrow-long-up" type="Entypo" />
<Text>{`Score: ${score.toFixed(2)}`}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="ios-star" type="Ionicons" />
<Text>{`Stars: ${repo.stargazers_count}`}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="ios-glasses" type="Ionicons" />
<Text>{`Watchers: ${repo.watchers}`}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="code-fork" type="FontAwesome" />
<Text>{`Forks: ${repo.forks_count}`}</Text>
</Item>
</CardItem>
<CardItem bordered>
<Item>
<Icon name="ladybug" type="MaterialCommunityIcons" />
<Text>{`Open issues count: ${repo.open_issues_count}`}</Text>
</Item>
</CardItem>
</Card>
</ListItem>
);
}}
/>
);
}
render() {
const { repos } = this.state;
return (
// <Container style={{ alignSelf: "center" }}>
<Container>{this.renderRepos(repos)}</Container>
);
}
}
export default GitRepos;
|
'use strict';
var app = angular.module('myApp',['ngAnimate', 'ngMaterial', 'jkAngularCarousel','rzModule', 'ui.bootstrap']);
|
/**
* @param {TreeNode} root
* @return {boolean}
*/
const isSymmetric = (root) => {
if (root == null) {
return true;
}
let leftArr = bta(root.left, [], 'left');
let rightArr = bta(root.right, [], 'right');
if (leftArr.length !== rightArr.length) {
return false;
}
let counter = 0;
while (true) {
if (leftArr[counter] !== rightArr[counter]) {
return false;
}
counter++;
if (counter > leftArr.length - 1) {
return true;
}
}
};
function bta(root, arr, type) {
if (root === null) {
return arr;
}
arr.push(root.val);
if (type === 'left') {
bta(root.left, arr, type);
bta(root.right, arr, type);
} else {
bta(root.right, arr, type);
bta(root.left, arr, type);
}
return arr;
}
|
/* 🤖 this file was generated by svg-to-ts*/
export const EOSIconsDirectionsRailway = {
name: 'directions_railway',
data: `<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M4 15.5C4 17.43 5.57 19 7.5 19L6 20.5v.5h12v-.5L16.5 19c1.93 0 3.5-1.57 3.5-3.5V5c0-3.5-3.58-4-8-4s-8 .5-8 4v10.5zm8 1.5c-1.1 0-2-.9-2-2s.9-2 2-2 2 .9 2 2-.9 2-2 2zm6-7H6V5h12v5z"/></svg>`
};
|
/*exports.seed = function (knex) {
return knex("ship_specs")
.truncate()
.then(function () {
return knex("ship_specs").insert(
[
[
{
id: "184",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Snowblind"
},
{
id: "185",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Dunestalker"
},
{
id: "186",
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. ",
url: "/pledge/ships/aegis-nautilus/Nautilus"
},
{
id: "187",
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. This limited edition Solstice model is exclusive to members of the Chairman’s Club and includes sequential serial numbering according to production order.",
url: "/pledge/ships/aegis-nautilus/Nautilus-Solstice-Edition"
},
{
id: "189",
afterburner_speed: "1220",
beam: "17.0",
cargocapacity: "0",
height: "8.0",
length: "30.0",
manufacturer_id: "1",
mass: "225621",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "168",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stop ships dead in their tracks with RSI’s premier Quantum Enforcement ship. The Mantis features a tailor-made Quantum Enforcement Device from Wei-Tek, capable of ripping ships out of QT with its Quantum Snare and preventing hasty escapes with its Quantum Dampener.",
url: "/pledge/ships/rsi-mantis/Mantis"
},
{
id: "191",
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "12.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Designed specifically for the Anvil Carrack, this snub ship is the perfect scout, landing craft, and support vessel for the iconic explorer. Despite its size, it’s capable of going it alone too thanks to a quantum drive, class-leading shields, and ability to equip a jump module.",
url: "/pledge/ships/anvil-pisces/C8-Pisces"
},
{
id: "192",
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "13.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Additional firepower turns the base Pisces into a highly capable mini-explorer. Ideal for inter-system travel or investigating tight spots inaccessible to larger ships, it’s a small ship ready for big adventures. ",
url: "/pledge/ships/anvil-pisces/C8X-Pisces-Expedition"
},
{
id: "198",
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "11 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Whether heading up a crew or hunting big ships solo, the Ares Inferno is a force to be reckoned with. This ballistic Gatling-equipped variant tears through gunship armor and turns smaller fighters to dust in seconds.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Inferno"
},
{
id: "200",
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Spark fear in the corridors of the most formidable gunships and frigates with the Ares Ion. This laser-equipped variant delivers extremely powerful shots to quickly disable the shields of even the biggest enemy vessels.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Ion"
},
{
id: "201",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "15.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole"
},
{
id: "202",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Carbon-Edition"
},
{
id: "203",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Talus-Edition"
},
{
id: "208",
afterburner_speed: null,
beam: "5.8",
cargocapacity: "2",
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "50",
size: null,
time_modified: "6 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Trek to the edge of the galaxy with confidence thanks to Origin’s trademark build quality and design. Built with the most extreme environments in mind, the G12 suits all types of planetary travel, from traversing tundras to sightseeing.",
url: "/pledge/ships/origin-g12/Origin-G12"
},
{
id: "209",
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "55",
size: "vehicle",
time_modified: "4 months ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stripped back and meticulously engineering for performance, Origin has taken everything learned from preparing the 350r and M50 ships for competition and added it to the ubiquitous ground racer. Lighter, faster, and with a built-in EMP for protection, it’s ready for anything the outlands can throw at it.",
url: "/pledge/ships/origin-g12/Origin-G12r"
},
{
id: "210",
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "45",
size: "vehicle",
time_modified: "6 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The G12a combines military might with Origin’s unique approach to high-end engineering. Designed for all offensive ground-based operations, it’s the ideal partner for long-range perimeter patrols, intercepting assailants, and exploring dangerous new locales.",
url: "/pledge/ships/origin-g12/Origin-G12a"
},
{
id: "211",
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon"
},
{
id: "212",
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon-Shrike"
},
{
id: "214",
afterburner_speed: null,
beam: "3.8",
cargocapacity: "1",
height: "3.1",
length: "5.1",
manufacturer_id: "17",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "1 month ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "At Greycat, we understand that mining isn't a one-size-fits-all operation, so we designed the ROC to be as hard-working and versatile as the miners who use it. Small enough to access hard-to-reach ore deposits, but with enough power to get through the tough jobs, the ROC perfectly complements any mining enterprise. It's perfectly at home supporting full-scale operations, and a first-rate starter vehicle for fledgling diggers. Whatever the task, with Greycat, you have the right tool for the job. ",
url: "/pledge/ships/roc/ROC"
}
]
]
);
});
};
/*
{
afterburner_speed: "890",
beam: "39.0",
cargocapacity: "576",
height: "13.5",
length: "111.5",
manufacturer_id: "5",
mass: "1608205",
max_crew: "4",
min_crew: "2",
pitch_max: "20.0",
production_note: "Hull concept complete",
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "130",
size: "large",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "11.7",
yaw_max: "20.0",
yaxis_acceleration: "12.8",
zaxis_acceleration: "9.9",
description: "First introduced in 2871, Drake Interplanetary’s Caterpillar has long proven to be a reliable, cost-effective multi-role vessel, capable of being outfitted for everything from mercantile operations to combat support. Long hailed as a hard-fought alternative to the ubiquitous Hull series, the Caterpillar is a freighter that doesn’t skimp on weaponry or customization.",
url: "/pledge/ships/drake-caterpillar/Caterpillar-Best-In-Show-Edition"
},
{
afterburner_speed: "814",
beam: "42.5",
cargocapacity: "0",
height: "12.5",
length: "69.5",
manufacturer_id: "12",
mass: "300392",
max_crew: "7",
min_crew: "4",
pitch_max: "20.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "145",
size: "large",
time_modified: "6 months ago",
type: "combat",
xaxis_acceleration: "22.9",
yaw_max: "20.0",
yaxis_acceleration: "33.4",
zaxis_acceleration: "18.9",
description: "The Aegis Dynamics’ Retaliator has landed! One of the United Empire of Earth’s most powerful warbirds, the Retaliator was designed as a fearsome weapons platform designed to strike and kill capital ships. A key portion of the UEE’s power projection, Retaliator squadrons have served with distinction against outlaws, the Vanduul and elsewhere. This version of the Retaliator includes the bomb bay and torpedo launcher.",
url: "/pledge/ships/aegis-retaliator/Retaliator-Bomber"
},
{
afterburner_speed: "815",
beam: "42.5",
cargocapacity: "0",
height: "12.5",
length: "69.5",
manufacturer_id: "12",
mass: "300392",
max_crew: "7",
min_crew: "4",
pitch_max: "25.0",
production_note: "Concept complete. Current owners receive Retaliator Bomber as loaner.",
production_status: "in-concept",
roll_max: "50.0",
scm_speed: "185",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "22.9",
yaw_max: "25.0",
yaxis_acceleration: "33.4",
zaxis_acceleration: "18.8",
description: "The Aegis Dynamics’ Retaliator has landed! One of the United Empire of Earth’s most powerful warbirds, the Retaliator was designed as a fearsome weapons platform designed to strike and kill capital ships. A key portion of the UEE’s power projection, Retaliator squadrons have served with distinction against outlaws, the Vanduul and elsewhere. The base version of the Retaliator is customizable with additional modules to fit your needs.",
url: "/pledge/ships/aegis-retaliator/Retaliator-Base"
},
{
afterburner_speed: "1240",
beam: "23.0",
cargocapacity: "0",
height: "8.5",
length: "31.0",
manufacturer_id: "13",
mass: "59573",
max_crew: "1",
min_crew: "1",
pitch_max: "105.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "285",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "85.5",
yaw_max: "105.0",
yaxis_acceleration: "106.7",
zaxis_acceleration: "91.6",
description: "Fast becoming the symbol of the Vanduul Race, the Scythe is the foot soldier in every raid and the target of every human fighter pilot. Featuring a hefty weapons payload, the Scythe's real asset is its maneuverability, found in the twin main and twelve manuevering thrusters.",
url: "/pledge/ships/scythe/Scythe"
},
{
afterburner_speed: "0",
beam: "126.0",
cargocapacity: "831",
height: "46.0",
length: "242.0",
manufacturer_id: "12",
mass: "37459548",
max_crew: "28",
min_crew: "8",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Larger than a bomber but smaller than a ship of the line, frigates occupy an interesting space in the pantheon of warships. While they lack the heavy armor and the capital weaponry of a cruiser, frigates are more maneuverable and are highly configurable.",
url: "/pledge/ships/aegis-idris/Idris-M"
},
{
afterburner_speed: "0",
beam: "126.0",
cargocapacity: "995",
height: "46.0",
length: "233.0",
manufacturer_id: "12",
mass: "37310200",
max_crew: "28",
min_crew: "8",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "A mark two \"peacekeeper\" variant developed for the UEE patrol services, the Idris-P strips the standard ship's ship-to-ship gun and spinal mount in favor of additional cargo capacity and superior speed.",
url: "/pledge/ships/aegis-idris/Idris-P"
},
{
afterburner_speed: "1030",
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8493",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "128.0",
scm_speed: "270",
size: "snub",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "70.3",
yaw_max: "90.0",
yaxis_acceleration: "82.7",
zaxis_acceleration: "61.6",
description: "Originally designed to pair with the RSI Constellation, the P-52 Merlin is now available to all pilots! A dedicated parasite fighter, the Merlin is designed to be transported from place to place aboard a larger ship. Boasting a centerline Gatling cannon and a Lightning Power engine, the Merlin is a fast, maneuverable ship that packs a surprising punch! Ideal for racing, local reconnaissance and fast combat.",
url: "/pledge/ships/p52-merlin/P-52-Merlin"
},
{
afterburner_speed: "1160",
beam: "18.0",
cargocapacity: "6",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "32970",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "small",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "73.8",
yaw_max: "90.0",
yaxis_acceleration: "84.1",
zaxis_acceleration: "72.2",
description: "Inspired by Consolidated Outland CEO Silas Koerner’s cutting edge vision, the Mustang Alpha is a sleek, stylish spacecraft that uses ultralight alloys to push power ratios to the limits, albeit sometimes unsafely. And now, with the optional Cargo Carrier, you can have the Alpha’s advantages without sacrificing carrying capacity.",
url: "/pledge/ships/mustang/Mustang-Alpha"
},
{
afterburner_speed: "1215",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "39610",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "250",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: "70.7",
yaw_max: "90.0",
yaxis_acceleration: "82.0",
zaxis_acceleration: "69.0",
description: "The Mustang Beta, with its unprecedented range, is made for long duration flights. The factory standard Tarsus Leaper Jump Engine enables the Beta to travel to the galaxy’s farthest systems with ease, while the ship’s unique Com4T living quarters will make the journey feel like you never left home.",
url: "/pledge/ships/mustang/Mustang-Beta"
},
{
afterburner_speed: "1340",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "30263",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "168.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "93.3",
yaw_max: "110.0",
yaxis_acceleration: "136.1",
zaxis_acceleration: "105.6",
description: "Consolidated Outland’s design and engineering teams have managed to tweak and refine the Mustang into an admirable racer. The end result, the Mustang Gamma, has smooth acceleration, and power on demand thanks to an innovative package featuring three powerful Magma Jet engines for maximum thrust.",
url: "/pledge/ships/mustang/Mustang-Gamma"
},
{
afterburner_speed: "1225",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "37345",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "240",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "73.3",
yaw_max: "90.0",
yaxis_acceleration: "87.7",
zaxis_acceleration: "69.3",
description: "While it may not be able to go toe to toe with some of the military specific ships, by reinforcing the Mustang’s already strong hull construction with Consolidated Outland’s own line of Cavalry Class Mass Reduction Armor, the Delta has a reduced cross-sectional signature that evens the playing field.",
url: "/pledge/ships/mustang/Mustang-Delta"
},
{
afterburner_speed: "1340",
beam: "15.5",
cargocapacity: "0",
height: "5.5",
length: "17.5",
manufacturer_id: "22",
mass: "30263",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "168.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "93.3",
yaw_max: "110.0",
yaxis_acceleration: "136.1",
zaxis_acceleration: "105.6",
description: "Consolidated Outland teamed up with custom tuning company Accelerated Mass Design to create a limited edition racer that features a ramped up fuel intake for faster recycling of the ship’s already impressive boost system. To cap off the collaboration, AMD enlisted resident underground artist Sektor8 to design the dynamic paint job.",
url: "/pledge/ships/mustang/Mustang-Omega"
},
{
afterburner_speed: "1160",
beam: "15.5",
cargocapacity: "6",
height: "5.5",
length: "17.5",
manufacturer_id: "22",
mass: "32970",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "small",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: "73.8",
yaw_max: "90.0",
yaxis_acceleration: "84.1",
zaxis_acceleration: "72.2",
description: "Make the ultimate statement and show the universe that you are a paragon of style and a bulwark of freedom. With this limited Vindicator Edition livery, the maverick designers at Consolidated Outland have pulled out all the stops, creating a trim package that commemorates CitizenCon 2948 and embodies the spirit of daring that defines both the original vision of Silas Koerner and the unyielding determination of the UEE.",
url: "/pledge/ships/mustang/Mustang-Alpha-Vindicator"
},
{
afterburner_speed: "0",
beam: "19.5",
cargocapacity: "0",
height: "11.0",
length: "37.5",
manufacturer_id: "12",
mass: "120380",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: "Waiting for resources to start modeling",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Now you can own the Next Great Starship! Designed by Star Citizen's backers, the Aegis Redeemer is a powerful fighting ship capable of holding its own in combat with a powerful weapons payload. Dotted with turrets and missiles, the Redeemer also doubles as an armored landing craft capable of delivering armored soldiers for first person combat!",
url: "/pledge/ships/redeemer/Redeemer"
},
{
afterburner_speed: "1235",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "120.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "280",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "120.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: "The Gladius is an older design which has been updated over the years to keep up with modern technology. In military circles, the Gladius is beloved for its performance and its simplicity. A fast, light fighter with a laser-focus on dogfighting, the Gladius is an ideal interceptor or escort ship.",
url: "/pledge/ships/gladius/Gladius"
},
{
afterburner_speed: "1236",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "100.0",
scm_speed: "220",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "90.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Valiant pays tribute to famed defense pilot Condi Hillard for being the first Human on record to defeat a Vanduul in combat. This Gladius comes equipped with a specialized dogfighting focused loadout and a custom special edition livery honoring her iconic ship.\n",
url: "/pledge/ships/gladius/Gladius-Valiant"
},
{
afterburner_speed: "1235",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "120.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "280",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "120.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: null,
url: "/pledge/ships/gladius/Pirate-Gladius"
},
{
afterburner_speed: "1325",
beam: "13.0",
cargocapacity: "0",
height: "8.0",
length: "30.5",
manufacturer_id: "81",
mass: "67115",
max_crew: "1",
min_crew: "1",
pitch_max: "125.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "300",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "104.5",
yaw_max: "125.0",
yaxis_acceleration: "107.3",
zaxis_acceleration: "104.5",
description: "The Xi'an Aopoa corporation manufactures an export model of the Qhire Khartu, the Khartu-al, for sale to Human civilians. The export model features the same Xi'an maneuvering rig, but control surfaces modified for Human use and a more limited armament.",
url: "/pledge/ships/khartu/Khartu-Al"
},
{
afterburner_speed: "0",
beam: "160.0",
cargocapacity: "3584",
height: "65.0",
length: "160.0",
manufacturer_id: "21",
mass: "9635000",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: "Hull concept complete",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "3 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Banu traders are renowned for their merchant prowess, traveling the spacelanes and trading with everyone from humans to the Vanduul! Their sturdy, dedicated trading ships are prized beyond all other transports, sometimes passing from generation to generation of Banu.",
url: "/pledge/ships/merchantman/Merchantman"
},
{
afterburner_speed: "0",
beam: "52.0",
cargocapacity: "1600",
height: "24.0",
length: "123.0",
manufacturer_id: "6",
mass: "4590000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "2 weeks ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With an elegant, sleek exterior that belies its spacious interior, the 890 Jump is a true engineering marvel; crafted to impress from every angle by combining a unique, innovative design with the finest materials and the most advanced technology. The result is a vessel that is in a class all of its own, a masterpiece worthy of the name ORIGIN.",
url: "/pledge/ships/890-jump/890-Jump"
},
{
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack"
},
{
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-W-C8X"
},
{
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-Expedition-W-C8X"
},
{
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-Expedition"
},
{
afterburner_speed: "1360",
beam: "12.5",
cargocapacity: "0",
height: "9.0",
length: "23.5",
manufacturer_id: "5",
mass: "66031",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "65.0",
scm_speed: "235",
size: "small",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "56.1",
yaw_max: "50.0",
yaxis_acceleration: "126.5",
zaxis_acceleration: "50.9",
description: "The Drake Herald is a small, armored ship designed to safely get information from Point A to Point B. Featuring a powerful central engine (for high speed transit and generating the power needed for effective data encryption/containment), advanced encryption software and an armored computer core, the Herald is unique among personal spacecraft in that it is designed to be easily ‘cleaned’ when in danger of capture.",
url: "/pledge/ships/herald/Herald"
},
{
afterburner_speed: "0",
beam: "55.0",
cargocapacity: "4608",
height: "55.0",
length: "125.0",
manufacturer_id: "4",
mass: "886930",
max_crew: "4",
min_crew: "2",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Often called the most common ship in the galaxy, the Hull C is the most-produced of the range and is considered by many to be the most versatile. Intended to hit the ‘sweet spot’ between the smaller single-person transports and the massive superfreighters that make up the rest of the range, the Hull C offers the expansive modularity of the larger ships while still retaining a modicum of the maneuverability allowed the low end of the range.",
url: "/pledge/ships/hull/Hull-C"
},
{
afterburner_speed: "0",
beam: "8.0",
cargocapacity: "48",
height: "4.0",
length: "22.0",
manufacturer_id: "4",
mass: "122650",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "small",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The smallest, most affordable Hull. The Hull A is great for those just striking out in the galaxy on their own. The Hull A is most similar to the Aurora and Mustang, but lacks the ‘jack of all trades’ nature. Where the others trade cargo capacity for firepower or speed, the Hull A is 100% on-mission transport! Additionally, Hull A (and B) are often used as station-to-orbit ferries.",
url: "/pledge/ships/hull/Hull-A"
},
{
afterburner_speed: "0",
beam: "15.5",
cargocapacity: "384",
height: "17.0",
length: "49.0",
manufacturer_id: "4",
mass: "387500",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Hull B is a more rugged option most often compared to MISC’s own Freelancer. But where the Freelancer is equipped for long range exploration and other roles, the Hull B is a pure cargo transport. Hull B are often used as corporate support ships, and it is not uncommon to spot several in different liveries during a single flight.",
url: "/pledge/ships/hull/Hull-B"
},
{
afterburner_speed: "0",
beam: "70.0",
cargocapacity: "20736",
height: "70.0",
length: "209.0",
manufacturer_id: "4",
mass: "1216000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Hull D kicks off the larger end of the spectrum with a massive ship built around a rugged frame. The Hull D is affordable enough to be operated by mid-sized organizations and companies. Hull D are often used as flagships for mercantile operations, but their bulk means that they should be operated with escort fighters while not in safe space. The UEE military uses modified Hull D as part of their supply chain, arming and refueling the soldiers on the front line.",
url: "/pledge/ships/hull/Hull-D"
},
{
afterburner_speed: "0",
beam: "104.0",
cargocapacity: "98304",
height: "104.0",
length: "372.0",
manufacturer_id: "4",
mass: "1652000",
max_crew: "5",
min_crew: "4",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The largest specialized freighter available on the market today, the Hull E is generally owned by major corporations and operated with a high degree of planning. The lack of maneuverability inherent in such a large ship means that anyone planning to operate them should be careful about equipping turrets and providing escort. Their potential load (and modularity) is unparalleled, however: no other ship allows as much room to store goods or to modify towards another role!",
url: "/pledge/ships/hull/Hull-E"
},
{
afterburner_speed: "0",
beam: "50.0",
cargocapacity: "384",
height: "50.0",
length: "170.0",
manufacturer_id: "1",
mass: "26496000",
max_crew: "7",
min_crew: "4",
pitch_max: null,
production_note: "Hull concept complete",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Roberts Space Industries’ goal has always been to make the stars available to individual Citizens. Now, with the RSI Orion mining platform, RSI is letting individuals take over a process formerly controlled by mega-corporations. The Orion’s features include high-grade turret-mounted tractor beam arrays, plenty of mineral storage and a cabin designed by the team that brought you the Aurora and Constellation!\n\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the mined material capacity in the storage pods which will be detailed later.",
url: "/pledge/ships/orion/Orion"
},
{
afterburner_speed: "930",
beam: "118.0",
cargocapacity: "180",
height: "50.0",
length: "155.0",
manufacturer_id: "12",
mass: "9500158",
max_crew: "5",
min_crew: "4",
pitch_max: "15.0",
production_note: "Currently being built and tested for implementation in-game.",
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "100",
size: "large",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: "8.2",
yaw_max: "15.0",
yaxis_acceleration: "8.4",
zaxis_acceleration: "8.3",
description: "The Aegis Reclaimer is an industrial salvage ship. Equipped with a reinforced cargo bay, a long-range jump drive and launch pods for unmanned drones, the Reclaimer is an ideal ship for taking advantage of deep space wrecks. Tractor beams, floodlights, scanner options and docking ports round out the tools on this capable, utilitarian spacecraft.\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the salvaged material capacity which will be detailed later.",
url: "/pledge/ships/reclaimer/Reclaimer"
},
{
afterburner_speed: "930",
beam: "118.0",
cargocapacity: "180",
height: "50.0",
length: "155.0",
manufacturer_id: "12",
mass: "9500158",
max_crew: "5",
min_crew: "4",
pitch_max: "15.0",
production_note: null,
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "100",
size: "large",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: "8.2",
yaw_max: "15.0",
yaxis_acceleration: "8.4",
zaxis_acceleration: "8.3",
description: "The Aegis Reclaimer is an industrial salvage ship. Equipped with a reinforced cargo bay, a long-range jump drive and launch pods for unmanned drones, the Reclaimer is an ideal ship for taking advantage of deep space wrecks. Tractor beams, floodlights, scanner options and docking ports round out the tools on this capable, utilitarian spacecraft.\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the salvaged material capacity which will be detailed later.",
url: "/pledge/ships/reclaimer/Reclaimer-Best-In-Show-Edition"
},
{
afterburner_speed: "0",
beam: "198.0",
cargocapacity: "5400",
height: "72.0",
length: "480.0",
manufacturer_id: "12",
mass: "109860179",
max_crew: "80",
min_crew: "12",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Designed for use by the UEE military, the Javelin is a massive, modular capital ship that can be appropriated for entrepreneurial use. With a detailed interior, plenty of modular room options and a high crew capacity, the Javelin is a ship that has made a name for itself in a variety of roles.",
url: "/pledge/ships/aegis-javelin/Javelin"
},
{
afterburner_speed: "1115",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "238616",
max_crew: "2",
min_crew: "2",
pitch_max: "80.0",
production_note: null,
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "51.9",
yaw_max: "80.0",
yaxis_acceleration: "54.5",
zaxis_acceleration: "53.3",
description: "A hard-charging bulldog of a fighter which features extensive forward-mounted weaponry designed to tear through the shields and armor of other spacecraft. So-named because their multiple-jump range allows them to form the vanguard of any military expedition, Vanguards have seen extensive service against the Vanduul.",
url: "/pledge/ships/vanguard/Vanguard-Warden"
},
{
afterburner_speed: "0",
beam: "40.0",
cargocapacity: "0",
height: "8.0",
length: "38.5",
manufacturer_id: "12",
mass: "240092",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Vanguard Harbinger is Earth’s standard fighter-bomber, converting the standard Warden model’s escape pod into a potent bomb bay. The extended range of the Vanguard and the relatively small profile mean that it can go where carrier-based planes or larger strategic bombers don’t… and then strike hard and make it back to frontier bases. The Vanguard Harbinger is a powerful bomber that can operate out of the roughest forward operating bases.\n",
url: "/pledge/ships/vanguard/Vanguard-Harbinger"
},
{
afterburner_speed: "0",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "238616",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: "Concept complete.",
production_status: "flight-ready",
roll_max: null,
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Vanguard Sentinel is a ship that’s designed to fight smart instead of taking enemies head on. The conversion features an AR cockpit, an external e-War pod, decoy missiles and a set of EMP charges. Vanguard Sentinels often provide necessary combat support for combined operations. A lone Sentinel assigned wild weasel tasks is frequently paired with Harbinger bombers and Warden escorts for large attack missions.",
url: "/pledge/ships/vanguard/Vanguard-Sentinel"
},
{
afterburner_speed: "1020",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "229440",
max_crew: "1",
min_crew: "1",
pitch_max: "80.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "51.8",
yaw_max: "80.0",
yaxis_acceleration: "54.6",
zaxis_acceleration: "53.4",
description: "The Vanguard Hoplite is a cross between the winning Vanguard deep space fighter and a dedicated boarding ship. Adapting the reliable design for amphibious operations, the Hoplite is the perfect tool for inserting an armored strike team with enough firepower to get them out again.",
url: "/pledge/ships/vanguard/Vanguard-Hoplite"
},
{
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "6",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: "80.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "115.0",
scm_speed: "220",
size: "small",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "64.0",
yaw_max: "80.0",
yaxis_acceleration: "71.6",
zaxis_acceleration: "47.3",
description: "Small supply runs from a planet's surface to a nearby orbital station have become commonplace. With bigger ships focusing more on the long-haul, the Reliant's standard 'Kore' loadout gives it enough carrying capacity for starting out with smaller runs while complementing MISC's Hull-series as a long-haul support ship.\t",
url: "/pledge/ships/reliant/Reliant-Kore"
},
{
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Empire depends on up-to-the-second information, which is why reporters need to be able to go where the news is happening: wherever, whenever. Enter the Mako, all the flexibility and dependability of a MISC Reliant combined with a state of the art Image Enhancement suite and turret-mounted optics to capture every moment as it happens with the clarity and accuracy that makes headlines. ",
url: "/pledge/ships/reliant/Reliant-Mako"
},
{
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Magellan, Pierce, Croshaw, names that echo through history thanks to their adventurous spirit, a curious nature and a reliable ship. The Reliant Sen is a versatile mobile science platform; outfitted with long range capabilities to take you further, longer, and an advanced sensor suite. Perfect for the aspiring explorer who wants to whisper their name into the halls of history.",
url: "/pledge/ships/reliant/Reliant-Sen"
},
{
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With Humanity ever-expanding through the universe, the need for a versatile lightweight fighter has expanded with it. Easy to maintain with a rugged construction, the Reliant Tana makes for an ideal choice for frontier and outpost defense thanks to its custom high-yield power plant, stronger shields and additional weapon mounts.",
url: "/pledge/ships/reliant/Reliant-Tana"
},
{
afterburner_speed: "0",
beam: "90.0",
cargocapacity: "300",
height: "16.0",
length: "85.0",
manufacturer_id: "68",
mass: "3120000",
max_crew: "8",
min_crew: "2",
pitch_max: null,
production_note: "Waiting for resources to start modeling",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Genesis is yet another landmark in Crusader Industries’ proud history of transport designs. This ship utilizes award-winning manufacturing techniques and the highest quality parts to create one thing; a next-generation passenger ship at a price that won’t break your budget. Crusader Industries’ proprietary NeoG engine technology offers some of the most efficient flight for a ship of its size.",
url: "/pledge/ships/starliner/Genesis-Starliner"
},
{
afterburner_speed: "1230",
beam: "31.5",
cargocapacity: "0",
height: "8.5",
length: "31.0",
manufacturer_id: "69",
mass: "66013",
max_crew: "1",
min_crew: "1",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "81.4",
yaw_max: "100.0",
yaxis_acceleration: "93.0",
zaxis_acceleration: "76.8",
description: "The Glaive is a symmetrical version of the Scythe. Generally flown by Vanduul with more combat experience, they are better armed and have two huge blades/wings as opposed to one on the standard Scythe.\n\n\nThis model is a human reproduction created by the manufacturer Esperia.\n",
url: "/pledge/ships/esperia-glaive/Glaive"
},
{
afterburner_speed: "0",
beam: "48.0",
cargocapacity: "500",
height: "20.0",
length: "200.0",
manufacturer_id: "4",
mass: "4055000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Musashi Industrial & Starflight Concern is proud to present the Endeavor-class research vessel, a fully modular space platform designed to be adapted for a variety of scientific and medical tasks. Initially developed as a floating laboratory, the MISC Endeavor can be outfitted for everything from spatial telescopy to use as mobile hospital.",
url: "/pledge/ships/misc-endeavor/Endeavor"
},
{
afterburner_speed: "1235",
beam: "26.0",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "78513",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: "Flight Ready",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "275",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: "81.1",
yaw_max: "110.0",
yaxis_acceleration: "94.1",
zaxis_acceleration: "86.0",
description: "Part of Aegis Dynamics’ Phase Two of new ship models, the Sabre was designed as a space superiority fighter for those situations where you need to leave a lighter footprint. Designed to be a rapid responder, the Sabre is more than capable of establishing battlefield dominance for any number of combat scenarios.",
url: "/pledge/ships/sabre/Sabre"
},
{
afterburner_speed: "1235",
beam: "26.0",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "78513",
max_crew: "1",
min_crew: "1",
pitch_max: "85.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "215",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "81.1",
yaw_max: "85.0",
yaxis_acceleration: "94.1",
zaxis_acceleration: "86.0",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Comet pays tribute to famed pilot Captain Kamur Dalion for his work with Aegis to usher in a new era of combat ship design. This Sabre comes equipped with a specialized dogfighting focused loadout and a custom special edition livery honoring this iconic ship.\n",
url: "/pledge/ships/sabre/Sabre-Comet"
},
{
afterburner_speed: "1235",
beam: "20.5",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "69433",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: "Available in 3.0 patch.",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "275",
size: "small",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: "82.3",
yaw_max: "110.0",
yaxis_acceleration: "95.0",
zaxis_acceleration: "86.7",
description: "Part of Aegis Dynamics’ Phase Two of new ship models, the Sabre was designed as a space superiority fighter for those situations where you need to leave a lighter footprint. They have raised the bar yet again with their Raven variant, maintaining all the speed and maneuverability of its Sabre forebear, but with a lower ship signature, making it a fast, stealthy infiltrator.",
url: "/pledge/ships/sabre/Sabre-Raven"
},
{
afterburner_speed: "0",
beam: "50.0",
cargocapacity: "230",
height: "20.0",
length: "90.0",
manufacturer_id: "3",
mass: "3650500",
max_crew: "8",
min_crew: "3",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A so-called “flying toolbox,” the Crucible is Anvil Aerospace’s first dedicated repair ship. Featuring a rotating control bridge and a detachable pressurized workspace, the Crucible is a versatile mobile garage equipped with repair arms, a drone operation center and all the equipment needed to overhaul a damaged craft back into fighting shape.",
url: "/pledge/ships/crucible/Crucible"
},
{
afterburner_speed: "0",
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8290",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "If you’re looking for something a little more agile, blaze among the stars with Kruger Intergalactic’s P-72 Archimedes. Whether for added security, exploring a system or simply the joy of flying, the Archimedes is the perfect companion snub craft. Featuring an extra intake and a lighter hull than its sister ship, the Archimedes delivers exceptional handling and boost capabilities in a sleek package you’ll want along for the ride.",
url: "/pledge/ships/p72-archimedes/P72-Archimedes"
},
{
afterburner_speed: null,
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8979",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "250",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built with exacting precision and styled with urban sophistication in mind, this compact snub isn’t just for show. Fast and responsive, it’s the ideal chaperone for larger ship or the perfect partner for a solo sprint in-atmosphere. The Archimedes Emerald features an exclusive Stellar Fortuna skin, available for a limited time only. ",
url: "/pledge/ships/p72-archimedes/P72-Archimedes-Emerald"
},
{
afterburner_speed: "1240",
beam: "20.0",
cargocapacity: "0",
height: "5.5",
length: "16.5",
manufacturer_id: "69",
mass: "26056",
max_crew: "1",
min_crew: "1",
pitch_max: "115.0",
production_note: null,
production_status: "flight-ready",
roll_max: "140.0",
scm_speed: "290",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "86.3",
yaw_max: "115.0",
yaxis_acceleration: "116.2",
zaxis_acceleration: "89.5",
description: "Vanduul light fighters, designated 'Blade', are often used as scouts and first wave assault crafts. Over the decades of conflict, they have been increasingly used to take out comm arrays and early warning systems. They have also served well as skirmisher units as their speed allows them to chase down ships attempting to flee. If engaged, expect the Blade to utilize its speed and agility to wear down your defenses.",
url: "/pledge/ships/vanduul-blade/Blade"
},
{
afterburner_speed: "1210",
beam: "15.0",
cargocapacity: "0",
height: "7.0",
length: "24.0",
manufacturer_id: "4",
mass: "116477",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "200",
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: "40.6",
yaw_max: "70.0",
yaxis_acceleration: "44.4",
zaxis_acceleration: "42.3",
description: "For years, the Prospector has been the universe’s preferred mining vessel for solo operators. Featuring MISC’s sleek design sensibility and a bevy of upgraded high-tech mining tools, the 2947 Prospector perfectly balances form and functionality.",
url: "/pledge/ships/misc-prospector/Prospector"
},
{
afterburner_speed: "1315",
beam: "16.0",
cargocapacity: "0",
height: "4.5",
length: "15.0",
manufacturer_id: "5",
mass: "40821",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "280",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "92.8",
yaw_max: "110.0",
yaxis_acceleration: "108.7",
zaxis_acceleration: "92.8",
description: "The Buccaneer has been designed from the ground up to fly and fight the way you live. No leather interiors or hyperpillows here: the ‘Bucc is a scrapper designed to maneuver and fight above its weight class. This rough-and-tumble frontier fighter can be maintained in the worst of conditions in order to keep real, working space crews alive.",
url: "/pledge/ships/drake-buccaneer/Buccaneer"
},
{
afterburner_speed: "1100",
beam: "2.5",
cargocapacity: "0",
height: "1.5",
length: "6.0",
manufacturer_id: "5",
mass: "2169",
max_crew: "2",
min_crew: "1",
pitch_max: "90.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "110.0",
scm_speed: "155",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "50.6",
yaw_max: "80.0",
yaxis_acceleration: "67.4",
zaxis_acceleration: "60.8",
description: "The Drake Dragonfly is the perfect snub ship for anyone looking to live on the edge. With nothing separating the pilot from the dangers of space, the Dragonfly is as much an adventure as a ship! Dual-mode conversion allows the Dragonfly to operate on the ground or in space, and a rear-facing second seat means you can even take a passenger! This exclusive Yellowjacket version is available only for the concept sale.\n",
url: "/pledge/ships/drake-dragonfly/Dragonfly-Yellowjacket"
},
{
afterburner_speed: "1100",
beam: "2.5",
cargocapacity: "0",
height: "1.5",
length: "6.0",
manufacturer_id: "5",
mass: "2169",
max_crew: "2",
min_crew: "1",
pitch_max: "115.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "175.0",
scm_speed: "255",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "50.6",
yaw_max: "105.0",
yaxis_acceleration: "67.4",
zaxis_acceleration: "60.8",
description: "The Drake Dragonfly is the perfect snub ship for anyone looking to live on the edge. With nothing separating the pilot from the dangers of space, the Dragonfly is as much an adventure as a ship! Dual-mode conversion allows the Dragonfly to operate on the ground or in space, and a rear-facing second seat means you can even take a passenger! This black model is Drake's standard production version.\n",
url: "/pledge/ships/drake-dragonfly/Dragonfly-Black"
},
{
afterburner_speed: "920",
beam: "8.5",
cargocapacity: "0",
height: "4.3",
length: "9.3",
manufacturer_id: "73",
mass: "12307",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: null,
production_status: "flight-ready",
roll_max: "80.0",
scm_speed: "150",
size: "snub",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "25.8",
yaw_max: "50.0",
yaxis_acceleration: "29.3",
zaxis_acceleration: "27.2",
description: "The ARGO Astronautics MPUV-1P (commonly ‘Argo Personnel.’) is geared towards a simple but incredibly important responsibility: moving groups of people from place to place. The UEE Navy uses MPUV-1Ps extensively, and any new recruit can likely recall those terrifying moments in which such a ship carried them to their first space assignment. In civilian hands, Argo Personnel ships are adapted for everything from standard taxi services to use as makeshift combat dropships. The ARGO is capable of carrying up to eight Humans and their equipment.",
url: "/pledge/ships/argo/MPUV-Personnel"
},
{
afterburner_speed: "900",
beam: "8.5",
cargocapacity: "2",
height: "4.3",
length: "9.5",
manufacturer_id: "73",
mass: "12187",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: null,
production_status: "flight-ready",
roll_max: "80.0",
scm_speed: "150",
size: "snub",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "25.8",
yaw_max: "50.0",
yaxis_acceleration: "29.3",
zaxis_acceleration: "27.2",
description: "The ARGO Astronautics MPUV-1C (commonly ‘Argo Cargo’) is a dedicated merchant transfer ship, a ubiquitous intergalactic stevedore. Vast numbers of Argo Cargos are responsible for loading and unloading goods onto massive long-haul transports and miners that cannot otherwise land on planets or drydocks, such as the Hull D and the Orion. Some captains choose to own and operate their own Argo, while others pay privately owned ships operating as port services a rental fee for performing the unloading process.",
url: "/pledge/ships/argo/MPUV-Cargo"
},
{
afterburner_speed: "1205",
beam: "14.5",
cargocapacity: "0",
height: "6.0",
length: "19.5",
manufacturer_id: "3",
mass: "86454",
max_crew: "1",
min_crew: "1",
pitch_max: "75.0",
production_note: "Currently being built and tested for implementation in-game.",
production_status: "flight-ready",
roll_max: "100.0",
scm_speed: "210",
size: "small",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: "51.9",
yaw_max: "75.0",
yaxis_acceleration: "65.7",
zaxis_acceleration: "58.1",
description: "Presenting the Anvil Aerospace U4A-3 Terrapin-class Scanning/Exploration Ship. The Terrapin was developed near the end of the 28th century to serve as the first ship in the Empire’s defensive restructuring of the Navy. The Terrapin’s watchword is protection, with extensive shield systems and armor layers designed to provide the maximum possible defense for pilot and crew. While it lacks the maneuverability of a dedicated fighter, it does maintain an advanced, hard-hitting array of weapons intended to keep the most fearsome Vanduul raider at bay.",
url: "/pledge/ships/terrapin/Terrapin"
},
{
afterburner_speed: "0",
beam: "82.0",
cargocapacity: "216",
height: "35.0",
length: "155.0",
manufacturer_id: "1",
mass: "17155000",
max_crew: "14",
min_crew: "6",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Polaris is a nimble corvette-class capital ship that packs a powerful punch with a full armament of turrets and torpedoes. Intended for use as both a naval patrol ship and to serve as the flagship of militia operations, Polaris has the capacity to perform search and rescue operations, light strike missions and general security patrols. The Polaris includes the facilities to repair, rearm and refuel a single fighter, light bomber or support ship.",
url: "/pledge/ships/polaris/Polaris"
},
{
afterburner_speed: "1116",
beam: "32.0",
cargocapacity: "0",
height: "15.0",
length: "34.0",
manufacturer_id: "69",
mass: "171700",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "178",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Named after the UPE military designation, the Prowler is a modernized version of the infamous Tevarin armored personnel carrier. Esperia’s astroengineers were given unmitigated access to study original versions of the ship recently discovered in the Kabal system to help meticulously reconstruct the vehicle. Now, the Prowler is the perfect fusion of two cultures: the elegance and effectiveness of the Tevarin war machine combined with the reliability of modern Human technology. \n",
url: "/pledge/ships/prowler/Prowler"
},
{
afterburner_speed: "1185",
beam: "10.0",
cargocapacity: "0",
height: "2.0",
length: "13.0",
manufacturer_id: "6",
mass: "19097",
max_crew: "2",
min_crew: "1",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "snub",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "59.0",
yaw_max: "100.0",
yaxis_acceleration: "68.2",
zaxis_acceleration: "61.3",
description: "Elegantly styled and meticulously constructed, the 85X is a versatile and comprehensive away-vessel that features precision control in and out of atmosphere. Utilizing much of the same thruster technology as the 300 series, it has the power of a racer with the reliability of a touring ship. Whether descending down to the planet surface or taking in the sights of your system, this runabout continues Origin’s proud tradition of turning heads.\n",
url: "/pledge/ships/85x/85X"
},
{
afterburner_speed: "1345",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "335",
size: "small",
time_modified: "2 months ago",
type: "competition",
xaxis_acceleration: "89.7",
yaw_max: "127.0",
yaxis_acceleration: "120.0",
zaxis_acceleration: "98.6",
description: "MISC makes a bid for the next Murray Cup with the all-new Razor. This advanced racer features an advanced composite spaceframe that puts pure speed ahead of everything else... it's the ship for pilots who want to leave the competition in the dust.",
url: "/pledge/ships/razor/Razor"
},
{
afterburner_speed: "1340",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "89.3",
yaw_max: "127.0",
yaxis_acceleration: "119.0",
zaxis_acceleration: "98.1",
description: "Outfitted with signature-reducing materials, the RAZOR-EX was a specialty build for the UEE Advocacy for use in surveillance and extraction operations. Although the EX was ultimately rejected for widespread use, MISC released a variation of the model for the public who were looking to keep a lower profile.",
url: "/pledge/ships/razor/Razor-EX"
},
{
afterburner_speed: "1345",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "340",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "89.4",
yaw_max: "127.0",
yaxis_acceleration: "119.1",
zaxis_acceleration: "98.2",
description: "The Razor gets supercharged. The LX features an overclocked engine to unleash blazing top speeds perfect. This power comes at a cost with reduced maneuverability and armaments making it ideal for straight-shot racing. But who needs weapons when you’re leaving your competition in the dust.",
url: "/pledge/ships/razor/Razor-LX"
},
{
afterburner_speed: "1125",
beam: "14.5",
cargocapacity: "0",
height: "6.0",
length: "22.0",
manufacturer_id: "3",
mass: "86454",
max_crew: "2",
min_crew: "2",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "140.0",
scm_speed: "265",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "67.6",
yaw_max: "100.0",
yaxis_acceleration: "84.5",
zaxis_acceleration: "69.6",
description: "Big things do come in small packages: the Hurricane is a fighting spacecraft that packs a deadly punch into a slight fuselage. The spacecraft compensates for its lack of creature comforts with its powerful armament - six guns capable of blasting their way through nearly anything. Hurricane pilots have yet to find an enemy shield they can't knock down.",
url: "/pledge/ships/hurricane/Hurricane"
},
{
afterburner_speed: "0",
beam: "20.0",
cargocapacity: "0",
height: "8.0",
length: "25.5",
manufacturer_id: "21",
mass: "78406",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Meet the Banu Defender, a multi-crew fighter whose patchwork design highlights technology from a variety of species. Though cargo space is limited, the Defender features modest accommodations for its crew and provides easy access to components. The Defender gets its name from the role it serves: the first line of defense against enemy attacks. That’s why the Defender makes the ideal companion to the Merchantman: one to do the heavy hauling and the other to perform the deadly dogfighting. Every Banu merchant knows an investment in defense is an investment in their livelihood.",
url: "/pledge/ships/defender/Banu-Defender"
},
{
afterburner_speed: "980",
beam: "36.6",
cargocapacity: "0",
height: "4.4",
length: "20.5",
manufacturer_id: "12",
mass: "54216",
max_crew: "1",
min_crew: "1",
pitch_max: "75.0",
production_note: null,
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "195",
size: "medium",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "47.9",
yaw_max: "75.0",
yaxis_acceleration: "61.1",
zaxis_acceleration: "51.2",
description: "The Aegis Eclipse is a bomber designed to get in and strike before it's even spotted. After extensive service with the UEE, this high-tech military stalwart is making its debut on the civilian market for 2947.",
url: "/pledge/ships/eclipse/Eclipse"
},
{
afterburner_speed: "1105",
beam: "1.5",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "81",
mass: "1394",
max_crew: "1",
min_crew: "1",
pitch_max: "125.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "175.0",
scm_speed: "275",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: "56.0",
yaw_max: "110.0",
yaxis_acceleration: "70.7",
zaxis_acceleration: "60.6",
description: "Hit the skids with the 2947 Nox. This speedy and maneuverable open-canopy racer from Aopoa is capable of zipping along planet surfaces or deep space. Available for the first time in Human space, the Nox has been specifically redesigned for Human pilots, so grab your ship and head to the racetrack today.\n",
url: "/pledge/ships/nox/Nox"
},
{
afterburner_speed: "1103",
beam: "1.5",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "81",
mass: "1394",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "220",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: "56.0",
yaw_max: null,
yaxis_acceleration: "70.7",
zaxis_acceleration: "60.6",
description: "Deriving its name from the Xi’an word for ‘thrust,’ the Nox Kue delivers that and more. This limited version of the open-canopy racer features a stunning brushed-silver finish and was specifically created to celebrate the inaugural sale of the first Nox for Human riders.\n",
url: "/pledge/ships/nox/Nox-Kue"
},
{
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "1",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a potent combination of speed, maneuverability, and rugged durability, the Cyclone is a perfect choice for local deliveries and transport between planetside homesteads and outposts.",
url: "/pledge/ships/cyclone/Cyclone"
},
{
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Designed for militia and security use, the Cyclone TR module features upgraded armor and a single Human-operated turret capable of mounting a Size 1 weapon and a responsive 360° field of fire.",
url: "/pledge/ships/cyclone/Cyclone-TR"
},
{
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "For those who like to push the limits of speed, the Cyclone RC features a modified intake system to allow for controlled bursts of speed as well as tools to customize handling.",
url: "/pledge/ships/cyclone/Cyclone-RC"
},
{
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "3.0",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stay mobile and aware with the Cyclone RN. This light reconnaissance vehicle is the perfect solution for scouting runs, providing fast and detailed scans of terrain as well as beacon placement.",
url: "/pledge/ships/cyclone/Cyclone-RN"
},
{
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3300",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A battlefield equalizer, the Cyclone AA comes equipped with a surface-to-air missile and countermeasure package to provide cover for ground troops against airborne targets.",
url: "/pledge/ships/cyclone/Cyclone-AA"
},
{
afterburner_speed: "0",
beam: "5.5",
cargocapacity: "4",
height: "2.2",
length: "7.6",
manufacturer_id: "1",
mass: "11732",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: null,
scm_speed: "40",
size: "vehicle",
time_modified: "2 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built by RSI specifically for the planetside explorer, the Ursa Rover offers civilians military-grade all-terrain capabilities and stands as the rugged standard in ground-based scouting, mapping and discovery applications.",
url: "/pledge/ships/ursa/Ursa-Rover"
},
{
afterburner_speed: "0",
beam: "5.5",
cargocapacity: "4",
height: "2.2",
length: "7.6",
manufacturer_id: "1",
mass: "11732",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "40",
size: "vehicle",
time_modified: "2 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Fortune favors the bold. The most trusted name in all-terrain exploration embodies the essence of good fortune and success with this commemorative limited-edition Ursa Rover.",
url: "/pledge/ships/ursa/Ursa-Rover-Fortuna"
},
{
afterburner_speed: "950",
beam: "52.0",
cargocapacity: "16",
height: "17.0",
length: "91.5",
manufacturer_id: "6",
mass: "1576792",
max_crew: "5",
min_crew: "3",
pitch_max: "30.0",
production_note: null,
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "135",
size: "large",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: "13.1",
yaw_max: "30.0",
yaxis_acceleration: "14.6",
zaxis_acceleration: "14.2",
description: "Let the voyage begin with the 2947 600i from Origin Jumpworks. This multi-role luxury vessel from Origin Jumpworks features an exquisitely detailed hull design that balances performance and versatility in a sleek and timeless form. The 600i is designed with a cutting-edge modular technology, allowing you to customize your ship for your needs. Taking the family on a long-distance trip across the stars? The Touring module lets your guests relax in ease with stunning furniture from some of the Empire's top designers.",
url: "/pledge/ships/600i/600i-Touring"
},
{
afterburner_speed: "975",
beam: "52.0",
cargocapacity: "40",
height: "17.0",
length: "91.5",
manufacturer_id: "6",
mass: "1576792",
max_crew: "5",
min_crew: "2",
pitch_max: "30.0",
production_note: null,
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "145",
size: "large",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "15.6",
yaw_max: "30.0",
yaxis_acceleration: "21.6",
zaxis_acceleration: "18.1",
description: "Let the voyage begin with the 2947 600i from Origin Jumpworks. This multi-role luxury vessel from Origin Jumpworks features an exquisitely detailed hull design that balances performance and versatility in a sleek and timeless form. The 600i is designed with a cutting-edge modular technology, allowing you to customize your ship for your needs. Looking to stamp your name in history with the discovery of a new star system? The 600i's Explorer module swaps the lounge for a robust scanning station as well as additional utility hardpoints to increase the ship's effectiveness even more.",
url: "/pledge/ships/600i/600i-Explorer"
},
{
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1610",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Welcome to the next level with the X1, Origin Jumpwork's new high performance open-canopy vehicle. Built from lightweight polymers, the X1 takes speed and agility to the next level thanks to seamlessly integrated engine technology and joint vector thruster placement. Innovative design and high quality engineering weave together to create a flight experience like no other.",
url: "/pledge/ships/x1/X1-Base"
},
{
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1528",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "How do you make fast go faster? Origin Jumpworks X1 Velocity dares to push the boundaries of speed by stripping down the base X1 to its core elements; eliminating the weapon mount and incorporating new Syntek composites to create a lighter chassis for overall weight loss.",
url: "/pledge/ships/x1/X1-Velocity"
},
{
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1682",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built to endure tougher environments and look good doing it, the X1 Force is a modified version of the base X1 model, featuring additional defensive elements to toughen up this speedy and agile open canopy bike, allowing it to serve in a variety of roles, from exploring worlds to potential security infiltration ops.",
url: "/pledge/ships/x1/X1-Force"
},
{
afterburner_speed: null,
beam: "125.0",
cargocapacity: "600",
height: "30.0",
length: "200.0",
manufacturer_id: "22",
mass: "35600000",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "85",
size: "capital",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "After their auspicious debut with the Mustang, Consolidated Outland has gone and changed the game again with the reveal of the Pioneer. This self-contained mobile construction yard is capable of creating planetary modular structures, ushering a new wave of aspiring colonists to customize their new homes on the frontier.",
url: "/pledge/ships/pioneer/Pioneer"
},
{
afterburner_speed: "500",
beam: "22.0",
cargocapacity: "0",
height: "6.5",
length: "17.0",
manufacturer_id: "3",
mass: "40000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "200",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A small, light fighter with an emphasis on weaponry, the Hawk boasts an impressive arsenal of lethal and non-lethal weapons, making it a perfect ship for independent bounty hunters or local security looking for a little more punch.",
url: "/pledge/ships/hawk/Hawk"
},
{
afterburner_speed: null,
beam: "75.0",
cargocapacity: "40",
height: "16.0",
length: "115.0",
manufacturer_id: "12",
mass: "4260000",
max_crew: "9",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A fast patrol ship with multiple turrets designed to combat fighters, the Hammerhead is equally suited to support larger capital ships in a fleet or act as a flagship for fighter groups.",
url: "/pledge/ships/hammerhead/Hammerhead"
},
{
afterburner_speed: null,
beam: "75.0",
cargocapacity: "40",
height: "16.0",
length: "115.0",
manufacturer_id: "12",
mass: "4260000",
max_crew: "9",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A fast patrol ship with multiple turrets designed to combat fighters, the Hammerhead is equally suited to support larger capital ships in a fleet or act as a flagship for fighter groups.",
url: "/pledge/ships/hammerhead/Hammerhead-Best-In-Show-Edition"
},
{
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.0",
length: "16.0",
manufacturer_id: "83",
mass: null,
max_crew: "3",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "20",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Tumbril's new Nova is a classic battlefield warrior, reimagined for the modern age. This heavy tank offers a devastating combination of weaponry to eliminate threats on the ground and in the air.",
url: "/pledge/ships/nova-tank/Nova"
},
{
afterburner_speed: null,
beam: "16.5",
cargocapacity: "12",
height: "10.0",
length: "38.5",
manufacturer_id: "12",
mass: "625330",
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "210",
size: "medium",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Refuel. Repair. Rearm. Become a one-person support crew with Aegis Dynamics’ versatile Vulcan, supplying aid to pilots on the fly. Whether pinned down under heavy fire and in need of ammunition, low on quantum fuel after an ill-planned jump, or stranded in unknown space with a busted thruster, a pilot in distress can always count on a Vulcan and its cadre of drones to lend speedy, efficient assistance. \n\nOutfit your Vulcan with eye-catching livery and become a beacon of hope, even in the darkest, most treacherous corners of the ‘verse.",
url: "/pledge/ships/vulcan/Vulcan"
},
{
afterburner_speed: null,
beam: "11.0",
cargocapacity: "2",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "210",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Tour the universe with the perfect coupling of luxury and performance. The 100i features Origin Jumpworks' patented AIR fuel system, making it the most efficient and eco-friendly ship on the market. Capable of long distance flights that most ships of its size aren't equipped for, the 100i is perfect for solo pilots looking to turn heads without sacrificing functionality or reliability.",
url: "/pledge/ships/origin-100/100i"
},
{
afterburner_speed: null,
beam: "11.0",
cargocapacity: "2",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "230",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Risks were meant to be taken, but why risk running out of fuel in the heat of battle? With the AIR fuel system, a souped-up weapons package, and all the luxury and refinement you've come to expect from Origin Jumpworks, the 125a has been designed for the discerning maverick.",
url: "/pledge/ships/origin-100/125a"
},
{
afterburner_speed: null,
beam: "11.0",
cargocapacity: "6",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "190",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a deceptive amount of storage space in its sleek, stylish frame, and Origin's patented AIR fuel system, the 135c model is the obvious choice for musicians, couriers, and anyone trying to get the party started. Get it there fast, and look good while you're doing it.",
url: "/pledge/ships/origin-100/135c"
},
{
afterburner_speed: null,
beam: "70.0",
cargocapacity: "624",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "135",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Utilizing the patented Hercules military-grade spaceframe and expanding cargo capacity, while sacrificing barely any firepower, the C2 has taken the private sector by storm. It has become the industry standard for racing teams, ship dealers and manufacturers, construction orgs, mining corporations, and even large-scale touring entertainment outfits. ",
url: "/pledge/ships/crusader-starlifter/C2-Hercules"
},
{
afterburner_speed: null,
beam: "70.0",
cargocapacity: "468",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "3",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "130",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The M2 Hercules is the UEE's premier tactical starlifter. The ship's potent combination of capacity, maneuverability, and durability make it the obvious choice in large-scale transport, and a robust weapons package assures your cargo, and crew, gets to where they’re going in one piece.",
url: "/pledge/ships/crusader-starlifter/M2-Hercules"
},
{
afterburner_speed: null,
beam: "70.0",
cargocapacity: "234",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "8",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "130",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The A2 gunship has been used to devastating effect in airborne assaults, search and rescue operations, and landing initiatives. With more than double the firepower of the M2, and a custom bomb bay capable of delivering a staggering payload, the A2 caters to anyone hauling massive amounts of cargo through potentially unfriendly skies.",
url: "/pledge/ships/crusader-starlifter/A2-Hercules"
},
{
afterburner_speed: null,
beam: "16.0",
cargocapacity: "12",
height: "9.0",
length: "33.0",
manufacturer_id: "5",
mass: "114591",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "165",
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Answer to no one, cut out the middle man, and throw caution to the wind. Rip wrecks like a pro and carve out your own place in the great big empty behind the stick of this rough, rugged salvage machine from Drake Interplanetary. ",
url: "/pledge/ships/drake-vulture/Vulture"
},
{
afterburner_speed: null,
beam: "30.0",
cargocapacity: "28",
height: "10.0",
length: "43.0",
manufacturer_id: "1",
mass: "376500",
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "205",
size: "large",
time_modified: "10 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The legendary Apollo chassis from Roberts Space Industries is the gold standard in medevac and rapid emergency response, having provided critical aid to the known universe for well over two centuries.",
url: "/pledge/ships/rsi-apollo/Apollo-Triage"
},
{
afterburner_speed: null,
beam: "30.0",
cargocapacity: "28",
height: "10.0",
length: "43.0",
manufacturer_id: "1",
mass: "376500",
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "195",
size: "large",
time_modified: "10 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Along with superior armor and dual missile racks, the 2948 Apollo Medivac model pays homage to the classic 2910 film, Astromedics: Back from the Brink, with livery that accurately recreates the headlining Kithara. ",
url: "/pledge/ships/rsi-apollo/Apollo-Medivac"
},
{
afterburner_speed: "1050",
beam: "38.0",
cargocapacity: "96",
height: "11.6",
length: "40.0",
manufacturer_id: "68",
mass: null,
max_crew: "3",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "215",
size: "medium",
time_modified: "10 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Mercury checks all the boxes expected of a dependable courier vessel, and then some. If you need it there fast and unscathed, you can’t do better than the Mercury. Built with the same engineering and design principals that has made Crusader the go-to manufacturer for galactic transport on any scale, the star runner chassis sets new standards for data and cargo conveyance.",
url: "/pledge/ships/crusader-mercury-star-runner/Mercury-Star-Runner"
},
{
afterburner_speed: null,
beam: "28.0",
cargocapacity: null,
height: "9.5",
length: "38.0",
manufacturer_id: "3",
mass: null,
max_crew: "5",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "In the days of antiquity, the Valkyrie were believed to choose who would live and who would die on the field of war. Now, Anvil is putting that choice in your hands. Seize fate and turn the tide of battle.\n\nRugged, high-performance jump seats safely transport up to twenty personnel into and out of the fray. A vehicle bay and speed ramp efficiently launch ground-based transport or reconnaissance vehicles for unmatched support. Four powerful VTOL thrusters facilitate surgically precise take-offs and landings, while a devastating array of weaponry blurs the line between dropship and gunship.",
url: "/pledge/ships/anvil-valkyrie/Valkyrie"
},
{
afterburner_speed: null,
beam: "28.0",
cargocapacity: null,
height: "9.5",
length: "38.0",
manufacturer_id: "3",
mass: "75000",
max_crew: "5",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "For over a century, Anvil ships have distinguished themselves in countless civilian and military combat operations. Honor that proud tradition with the limited Liberator Edition Valkyrie, featuring an exclusive trim package commemorating the dropship's debut at CitizenCon 2948.",
url: "/pledge/ships/anvil-valkyrie/Valkyrie-Liberator-Edition"
},
{
afterburner_speed: null,
beam: "104.0",
cargocapacity: "3792",
height: "64.0",
length: "270.0",
manufacturer_id: "5",
mass: null,
max_crew: "10",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "capital",
time_modified: "2 years ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Kraken is a protector and a beacon of freedom in a too-often cruel universe. For those tasked with safekeeping Citizens unable to protect themselves, the Kraken is both a sanctuary and a self-contained war machine ready to take on the most daunting adversaries. Drake has thrown out the rule book to redefine private-use capital-class ships, attack carriers, and the very nature of personal freedom. It's nothing if not a testament to the empowerment of the people.",
url: "/pledge/ships/drake-kraken/Kraken"
},
{
afterburner_speed: null,
beam: "104.0",
cargocapacity: "768",
height: "64.0",
length: "270.0",
manufacturer_id: "5",
mass: null,
max_crew: "10",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Kraken is a protector and a beacon of freedom in a too-often cruel universe. For those tasked with safekeeping Citizens unable to protect themselves, the Kraken is both a sanctuary and a self-contained war machine ready to take on the most daunting adversaries. Drake has thrown out the rule book to redefine private-use capital-class ships, attack carriers, and the very nature of personal freedom. It's nothing if not a testament to the empowerment of the people.",
url: "/pledge/ships/drake-kraken/Kraken-Privateer"
},
{
afterburner_speed: null,
beam: "12.0",
cargocapacity: "0",
height: "4.0",
length: "16.0",
manufacturer_id: "3",
mass: "30752",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "270",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Meet Anvil's ‘light fighter of the future’. Featuring an ultra-aerodynamic frame, slight profile, and the most advanced manoeuvring thruster tech available, it’s the most agile ship in its class. It can also hold its own in a knock-down-drag-out thanks to a generous standard weapons package that includes quad missile racks and a full complement of countermeasures. The Arrow is designed specifically to leave would-be interlopers thoroughly bewildered. After all, how can they kill what they can't catch?",
url: "/pledge/ships/anvil-arrow/Arrow"
},
{
afterburner_speed: null,
beam: "23.0",
cargocapacity: "0",
height: "10.0",
length: "24.0",
manufacturer_id: "81",
mass: "106566",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "265",
size: "medium",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Harnessing the power of next-generation Xi'an flight systems, upgraded dual-vector thrusters, and a daunting weapons package, Aopoa has crafted a fighter that retains the nimble dexterity and tight handling the brand is known for. All with the added ability to pack a serious wallop when the situation calls for it. Welcome to the future of spaceflight, courtesy of the Xi'an Empire and Aopoa.",
url: "/pledge/ships/aopoa-santokyai/Santoky-i"
},
{
afterburner_speed: null,
beam: "19.5",
cargocapacity: "10",
height: "8.7",
length: "28.5",
manufacturer_id: "73",
mass: "231680",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "200",
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "When it comes to getting the job done, ARGO doesn’t mess around. From simple freight and cargo towing to harrowing search-and-rescue operations, the SRV handles whatever you can throw at it. The bespoke tractor system utilizes an innovative plate and arm combination, allowing for effortless solo use as well as precision team towing for bigger jobs. Your crew and passengers stay safe too thanks to durable shields and heavy-duty armor that keep the cockpit and components secure when the situation gets hairy.",
url: "/pledge/ships/argo-srv/SRV"
},
{
afterburner_speed: null,
beam: "27.0",
cargocapacity: "72",
height: "31.0",
length: "55.0",
manufacturer_id: "5",
mass: null,
max_crew: "4",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "10 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Heed the call of uncharted space and harness the spirit of exploration with the Drake Corsair, a worthy companion, supporting you in battle, discovery, and delivery, wherever the winds of adventure may steer you. ",
url: "/pledge/ships/drake-corsair/Corsair"
},
{
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "4 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a streamlined frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. Put the hammer down and pump up the adrenaline with the Ranger RC, tuned for maximum speed and response with advanced propulsion and chassis technology. ",
url: "/pledge/ships/tumbril-ranger/Ranger-RC"
},
{
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a powerful frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. But adventure doesn't always go to plan, so the Ranger TR comes equipped with dual weapon mounts to make sure you're more than covered.",
url: "/pledge/ships/tumbril-ranger/Ranger-TR"
},
{
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "4 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a powerful frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. Born to tame the wild frontier, the Ranger CV takes adventure touring to the next level and delivers the goods with an auxiliary fuel tank and custom 0.375 SCU pannier. ",
url: "/pledge/ships/tumbril-ranger/Ranger-CV"
},
{
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista"
},
{
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Snowblind"
},
{
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Dunestalker"
},
{
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. ",
url: "/pledge/ships/aegis-nautilus/Nautilus"
},
{
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. This limited edition Solstice model is exclusive to members of the Chairman’s Club and includes sequential serial numbering according to production order.",
url: "/pledge/ships/aegis-nautilus/Nautilus-Solstice-Edition"
},
{
afterburner_speed: "1220",
beam: "17.0",
cargocapacity: "0",
height: "8.0",
length: "30.0",
manufacturer_id: "1",
mass: "225621",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "168",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stop ships dead in their tracks with RSI’s premier Quantum Enforcement ship. The Mantis features a tailor-made Quantum Enforcement Device from Wei-Tek, capable of ripping ships out of QT with its Quantum Snare and preventing hasty escapes with its Quantum Dampener.",
url: "/pledge/ships/rsi-mantis/Mantis"
},
{
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "12.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Designed specifically for the Anvil Carrack, this snub ship is the perfect scout, landing craft, and support vessel for the iconic explorer. Despite its size, it’s capable of going it alone too thanks to a quantum drive, class-leading shields, and ability to equip a jump module.",
url: "/pledge/ships/anvil-pisces/C8-Pisces"
},
{
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "13.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Additional firepower turns the base Pisces into a highly capable mini-explorer. Ideal for inter-system travel or investigating tight spots inaccessible to larger ships, it’s a small ship ready for big adventures. ",
url: "/pledge/ships/anvil-pisces/C8X-Pisces-Expedition"
},
{
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "11 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Whether heading up a crew or hunting big ships solo, the Ares Inferno is a force to be reckoned with. This ballistic Gatling-equipped variant tears through gunship armor and turns smaller fighters to dust in seconds.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Inferno"
},
{
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Spark fear in the corridors of the most formidable gunships and frigates with the Ares Ion. This laser-equipped variant delivers extremely powerful shots to quickly disable the shields of even the biggest enemy vessels.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Ion"
},
{
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "15.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole"
},
{
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Carbon-Edition"
},
{
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Talus-Edition"
},
{
afterburner_speed: null,
beam: "5.8",
cargocapacity: "2",
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "50",
size: null,
time_modified: "6 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Trek to the edge of the galaxy with confidence thanks to Origin’s trademark build quality and design. Built with the most extreme environments in mind, the G12 suits all types of planetary travel, from traversing tundras to sightseeing.",
url: "/pledge/ships/origin-g12/Origin-G12"
},
{
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "55",
size: "vehicle",
time_modified: "4 months ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stripped back and meticulously engineering for performance, Origin has taken everything learned from preparing the 350r and M50 ships for competition and added it to the ubiquitous ground racer. Lighter, faster, and with a built-in EMP for protection, it’s ready for anything the outlands can throw at it.",
url: "/pledge/ships/origin-g12/Origin-G12r"
},
{
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "45",
size: "vehicle",
time_modified: "6 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The G12a combines military might with Origin’s unique approach to high-end engineering. Designed for all offensive ground-based operations, it’s the ideal partner for long-range perimeter patrols, intercepting assailants, and exploring dangerous new locales.",
url: "/pledge/ships/origin-g12/Origin-G12a"
},
{
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon"
},
{
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon-Shrike"
},
{
afterburner_speed: null,
beam: "3.8",
cargocapacity: "1",
height: "3.1",
length: "5.1",
manufacturer_id: "17",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "1 month ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "At Greycat, we understand that mining isn't a one-size-fits-all operation, so we designed the ROC to be as hard-working and versatile as the miners who use it. Small enough to access hard-to-reach ore deposits, but with enough power to get through the tough jobs, the ROC perfectly complements any mining enterprise. It's perfectly at home supporting full-scale operations, and a first-rate starter vehicle for fledgling diggers. Whatever the task, with Greycat, you have the right tool for the job. ",
url: "/pledge/ships/roc/ROC"
}
*/
[
{
id: "1",
afterburner_speed: "1140",
beam: "8.0",
cargocapacity: null,
height: "4.0",
length: "18.0",
manufacturer_id: "1",
mass: "25172",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "190",
size: "small",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "43.0",
yaw_max: "70.0",
yaxis_acceleration: "45.7",
zaxis_acceleration: "44.2",
description: "The Aurora is the modern-day descendant of the Roberts Space Industries X-7 spacecraft which tested the very first jump engines. Utilitarian to a T, the Aurora Essential is the perfect choice for new ship owners: versatile enough to tackle a myriad of challenges, yet with a straightforward and intuitive design.",
url: "/pledge/ships/rsi-aurora/Aurora-ES",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "3",
afterburner_speed: "1200",
beam: "8.0",
cargocapacity: null,
height: "4.0",
length: "18.0",
manufacturer_id: "1",
mass: "25017",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "190",
size: "small",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "43.0",
yaw_max: "70.0",
yaxis_acceleration: "45.7",
zaxis_acceleration: "44.2",
description: "Be proud of your roots with the brand-new Aurora Deluxe, built for the discerning pilot who never forgets where he or she came from. The LX features patent leather interior to guarantee comfort for those long stretches in the deep black.",
url: "/pledge/ships/rsi-aurora/Aurora-LX",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "4",
afterburner_speed: "1210",
beam: "8.0",
cargocapacity: null,
height: "4.0",
length: "18.0",
manufacturer_id: "1",
mass: "25017",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "195",
size: "small",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "42.9",
yaw_max: "70.0",
yaxis_acceleration: "45.6",
zaxis_acceleration: "44.1",
description: "Perhaps you're looking for something that offers carrying capacity but has combat capabilities too? The Aurora Marque comes with a pair of Behring-quality lasers and a high quality gun cooler system.",
url: "/pledge/ships/rsi-aurora/Aurora-MR",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "5",
afterburner_speed: "1095",
beam: "8.0",
cargocapacity: "6",
height: "4.0",
length: "18.0",
manufacturer_id: "1",
mass: "25172",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "185",
size: "small",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "42.7",
yaw_max: "70.0",
yaxis_acceleration: "45.3",
zaxis_acceleration: "43.9",
description: "Customized for mercantile and trading excursions, the Aurora Clipper is the perfect vessel for aspiring entrepreneurs and seasoned traders alike. Thanks to its expanded cargo capacity, the Clipper ups the ante for personal merchant craft.",
url: "/pledge/ships/rsi-aurora/Aurora-CL",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "6",
afterburner_speed: "1210",
beam: "8.0",
cargocapacity: null,
height: "4.0",
length: "18.0",
manufacturer_id: "1",
mass: "25338",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "185",
size: "small",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "42.7",
yaw_max: "70.0",
yaxis_acceleration: "45.3",
zaxis_acceleration: "43.9",
description: "With a more robust shield generator and a pair of additional weapon hard points, the Legionnaire is a dedicated combat fighter, built to handle any obstacle the universe can throw at you.",
url: "/pledge/ships/rsi-aurora/Aurora-LN",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "7",
afterburner_speed: "1190",
beam: "17.0",
cargocapacity: "8",
height: "8.0",
length: "27.0",
manufacturer_id: "6",
mass: "66320",
max_crew: "1",
min_crew: "1",
pitch_max: "85.0",
production_note: "Rework complete (3.5.0)",
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "204",
size: "small",
time_modified: "3 weeks ago",
type: "exploration",
xaxis_acceleration: "68.0",
yaw_max: "85.0",
yaxis_acceleration: "80.3",
zaxis_acceleration: "71.7",
description: "If you're going to travel the stars... why not do it in style? The 300i is Origin Jumpworks' premiere luxury spacecraft. It is a sleek, silver killer that sends as much of a message with its silhouette as it does with its weaponry.",
url: "/pledge/ships/origin-300/300i",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "8",
afterburner_speed: "1225",
beam: "17.0",
cargocapacity: "12",
height: "8.0",
length: "27.0",
manufacturer_id: "6",
mass: "69220",
max_crew: "1",
min_crew: "1",
pitch_max: "85.0",
production_note: null,
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "210",
size: "small",
time_modified: "2 months ago",
type: "exploration",
xaxis_acceleration: "71.0",
yaw_max: "85.0",
yaxis_acceleration: "87.2",
zaxis_acceleration: "75.4",
description: "Exploration is man's highest calling. Prepare to chart distant horizons with man's most sophisticated piece of technology, the ORIGIN 315p. Featuring a more robust power plant and a custom scanning package, exclusively designed by Chimera Communications.",
url: "/pledge/ships/origin-300/315p",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "9",
afterburner_speed: "1315",
beam: "17.0",
cargocapacity: "4",
height: "8.0",
length: "27.0",
manufacturer_id: "6",
mass: "72500",
max_crew: "1",
min_crew: "1",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "225",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: "72.1",
yaw_max: "100.0",
yaxis_acceleration: "96.4",
zaxis_acceleration: "76.3",
description: "Just because it's a rough galaxy doesn't mean you need to sacrifice your comfort: the 325a can come out on top in any dogfight. The 325a features an advanced weapon payload as well as a custom targeting system designed especially for the 325a by WillsOp.",
url: "/pledge/ships/origin-300/325a",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "10",
afterburner_speed: "1345",
beam: "17.0",
cargocapacity: "4",
height: "8.0",
length: "27.0",
manufacturer_id: "6",
mass: "58530",
max_crew: "1",
min_crew: "1",
pitch_max: "125.0",
production_note: null,
production_status: "flight-ready",
roll_max: "170.0",
scm_speed: "258",
size: "small",
time_modified: "2 months ago",
type: "competition",
xaxis_acceleration: "90.7",
yaw_max: "125.0",
yaxis_acceleration: "120.2",
zaxis_acceleration: "101.5",
description: "Origin Jumpwork’s 300 Series is the ultimate fusion of elegance and power. Every component, every part is individually calibrated, so no matter which model and options you choose, your ship will stay in perfect harmony as the ultimate in astroengineering. By far the fastest member of the family, the 350r refocus all of the 300’s power and translates it into pure speed.\n",
url: "/pledge/ships/origin-300/350r",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "11",
afterburner_speed: "1225",
beam: "21.5",
cargocapacity: "2",
height: "6.5",
length: "22.5",
manufacturer_id: "3",
mass: "73535",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "130.0",
scm_speed: "235",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "74.1",
yaw_max: "90.0",
yaxis_acceleration: "87.7",
zaxis_acceleration: "83.0",
description: "To the enemy, it is a weapon never to be underestimated. To allies, it's a savior. The F7C Hornet is the same dependable and resilient multi-purpose fighter that has become the face of the UEE Navy. The F7C is the foundation to build on and meet whatever requirements you have in mind.",
url: "/pledge/ships/anvil-hornet/F7C-Hornet",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "122",
afterburner_speed: "1224",
beam: "21.5",
cargocapacity: "0",
height: "6.5",
length: "22.5",
manufacturer_id: "3",
mass: "73535",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: null,
production_status: "flight-ready",
roll_max: "80.0",
scm_speed: "185",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "74.1",
yaw_max: "70.0",
yaxis_acceleration: "87.7",
zaxis_acceleration: "83.0",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Wildfire pays tribute to famed pilot Aria Reilly for her distinguished service with the legendary Squadron 42. This Hornet comes equipped with her own personally selected loadout preferences and a custom special edition livery honoring her iconic ship.\n",
url: "/pledge/ships/anvil-hornet/F7C-Hornet-Wildfire",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "13",
afterburner_speed: "1225",
beam: "21.5",
cargocapacity: "0",
height: "6.5",
length: "22.5",
manufacturer_id: "3",
mass: "73454",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "130.0",
scm_speed: "235",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "74.1",
yaw_max: "90.0",
yaxis_acceleration: "87.7",
zaxis_acceleration: "83.0",
description: "Through a combination of low-emission drives, low-draw weapons, and Void Armor technology capable of diffusing scans, the F7C-S Ghost is built for the pilot who wants to keep a low profile. The Ghost is capable of slipping past the most ardent of observers to accomplish whatever goal you need to accomplish. Don't worry, we won't ask.",
url: "/pledge/ships/anvil-hornet/F7C-S-Hornet-Ghost",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "14",
afterburner_speed: "1215",
beam: "21.5",
cargocapacity: "0",
height: "6.5",
length: "22.5",
manufacturer_id: "3",
mass: "73497",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "130.0",
scm_speed: "240",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "71.0",
yaw_max: "90.0",
yaxis_acceleration: "82.2",
zaxis_acceleration: "78.5",
description: "If the Ghost is made to hide, the Tracker is made to seek. The F7C-R Tracker boasts an advanced radar suite making it ideal for deep-space explorers who require depth and accuracy in their scan packages. Local militia and larger merc units will also repurpose Trackers to act as mobile C&C ships for their squadrons.",
url: "/pledge/ships/anvil-hornet/F7C-R-Hornet-Tracker",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "15",
afterburner_speed: "1220",
beam: "24.0",
cargocapacity: "0",
height: "6.5",
length: "25.5",
manufacturer_id: "3",
mass: "78466",
max_crew: "2",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "130.0",
scm_speed: "230",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "69.1",
yaw_max: "90.0",
yaxis_acceleration: "78.8",
zaxis_acceleration: "75.6",
description: "The closest to the Military load-out as is legally possible for a Civilian model, the F7C-M Super Hornet reattaches the ball turret and offers near milspec parts under the hood. Proving that two heads are better than one, a second seat has been added to split the logistic and combat duty, making the Super Hornet a truly terrifying mark to engage.",
url: "/pledge/ships/anvil-hornet/F7C-M-Super-Hornet",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "37",
afterburner_speed: "0",
beam: "22.0",
cargocapacity: "0",
height: "7.0",
length: "22.5",
manufacturer_id: "3",
mass: "73317",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "small",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The UEE Navy's premier carrier-based fighter craft, the F7A is the front-line attack ship for military combat missions. While not outfitted for long range runs, the Hornet can take her share of hits... and dish out a consistent, powerful response.",
url: "/pledge/ships/anvil-hornet/F7A-Hornet",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "177",
afterburner_speed: "1220",
beam: "24.0",
cargocapacity: "0",
height: "6.5",
length: "25.5",
manufacturer_id: "3",
mass: "78466",
max_crew: "2",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "130.0",
scm_speed: "230",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "69.1",
yaw_max: "90.0",
yaxis_acceleration: "78.8",
zaxis_acceleration: "75.6",
description: "Designed for pilots whose true love is the pulse-pounding thrill of a harrowing dogfight, Anvil's limited-edition Heartseeker is 'the one' for true combat die-hards. Loaded with top-of-the-line near military-spec components and four imposing Behring laser cannons, this fierce eradicator hones the legendary combat proficiency of the Super Hornet to give you the ultimate edge in space combat.",
url: "/pledge/ships/anvil-hornet/F7C-M-Super-Hornet-Heartseeker",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "47",
afterburner_speed: "985",
beam: "26.0",
cargocapacity: "96",
height: "14.0",
length: "61.0",
manufacturer_id: "1",
mass: "439108",
max_crew: "4",
min_crew: "3",
pitch_max: "25.0",
production_note: null,
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "190",
size: "large",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "19.0",
yaw_max: "25.0",
yaxis_acceleration: "34.7",
zaxis_acceleration: "23.3",
description: "Explore any distant horizons! The Constellation Aquila features a redesigned cockpit for maximum visibility, advanced sensors and an onboard Ursa rover for planetary exploration. Let’s see what’s out there!",
url: "/pledge/ships/rsi-constellation/Constellation-Aquila",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "45",
afterburner_speed: "910",
beam: "26.0",
cargocapacity: "96",
height: "14.0",
length: "61.0",
manufacturer_id: "1",
mass: "419850",
max_crew: "4",
min_crew: "3",
pitch_max: "25.0",
production_note: "Damage States being mapped",
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "190",
size: "large",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "19.0",
yaw_max: "25.0",
yaxis_acceleration: "34.7",
zaxis_acceleration: "23.3",
description: "The Constellation Andromeda, a multi-person freighter, is the most popular ship in RSI's current production array. Constellations are beloved by smugglers and merchants alike because they are modular, high powered... and just downright iconic-looking.",
url: "/pledge/ships/rsi-constellation/Constellation-Andromeda",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "46",
afterburner_speed: "0",
beam: "26.0",
cargocapacity: null,
height: "14.0",
length: "61.0",
manufacturer_id: "1",
mass: "416009",
max_crew: "4",
min_crew: "3",
pitch_max: null,
production_note: "Damage States being mapped",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "10 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Enjoy the adventure of a multi-crew Constellation on a budget! The Constellation Taurus is a dedicated freighter. Fully configurable but without all the bells-and-whistles, the Taurus is a great way to get started with crewed ships.",
url: "/pledge/ships/rsi-constellation/Constellation-Taurus",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "49",
afterburner_speed: "0",
beam: "26.0",
cargocapacity: null,
height: "14.0",
length: "61.0",
manufacturer_id: "1",
mass: "417510",
max_crew: "4",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A dedicated luxury spacecraft for the discerning star captain. The Constellation Phoenix can be operated as an organization command ship and features a luxurious redesigned interior. \n\nThe Phoenix comes with a Lynx rover and a Kruger P-72 Archimedes Fighter",
url: "/pledge/ships/rsi-constellation/Constellation-Phoenix",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "156",
afterburner_speed: "0",
beam: "26.0",
cargocapacity: null,
height: "14.0",
length: "61.0",
manufacturer_id: "1",
mass: "417510",
max_crew: "4",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Whether you are a discerning socialite or a freewheeling party animal, the Constellation Phoenix Emerald is your personal passport to entertainment. With a swank interior cabin designed specifically for revelry, and a limited edition \"lucky\" paint job, the Emerald is the perfect venue to sip a glass of Radegast Gold or throw back a green Sleeping Tiger Malt while hurtling luxuriously through the stars. Just be sure to bring a designated pilot. The Phoenix Emerald comes with a Lynx rover and a Kruger P-72 Archimedes Fighter.",
url: "/pledge/ships/rsi-constellation/Constellation-Phoenix-Emerald",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "16",
afterburner_speed: "1005",
beam: "23.5",
cargocapacity: "66",
height: "9.5",
length: "38.0",
manufacturer_id: "4",
mass: "209230",
max_crew: "4",
min_crew: "2",
pitch_max: "65.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "90.0",
scm_speed: "205",
size: "medium",
time_modified: "3 months ago",
type: "transport",
xaxis_acceleration: "40.3",
yaw_max: "60.0",
yaxis_acceleration: "49.5",
zaxis_acceleration: "37.6",
description: "Freelancers are used as long haul merchant ships by major corporations, but they are just as frequently repurposed as dedicated exploration vessels by independent captains who want to operate on the fringes of the galaxy.",
url: "/pledge/ships/misc-freelancer/Freelancer",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "31",
afterburner_speed: "0",
beam: "23.5",
cargocapacity: "28",
height: "9.5",
length: "38.0",
manufacturer_id: "4",
mass: "213680",
max_crew: "4",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Freelancer DUR variant specializes in exploration. Sacrificing some of the cargo capacity of the standard Freelancer for an enhanced jump drive, a more advanced scanner, and an expanded fuel tank may seem like a bad call to some, but those who value discovery over profit will find it to be their ship of choice.",
url: "/pledge/ships/misc-freelancer/Freelancer-DUR",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "32",
afterburner_speed: "0",
beam: "36.0",
cargocapacity: "122",
height: "9.5",
length: "38.0",
manufacturer_id: "4",
mass: "336230",
max_crew: "4",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Freelancer MAX variant is for those who prize increased cargo capacity over everything else. Combine that additional storage with MISC’s unrivaled dependability and reputation, and you can see why the MAX is the preferred transport for many independent haulers in Empire today.",
url: "/pledge/ships/misc-freelancer/Freelancer-MAX",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "33",
afterburner_speed: "0",
beam: "23.5",
cargocapacity: "28",
height: "9.5",
length: "38.0",
manufacturer_id: "4",
mass: "213680",
max_crew: "4",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Freelancer MIS is a limited edition militarized variant of the classic mercantile ship developed by the UEE. These were produced in very small quantity due to some early payload incidents. This version sacrifices the majority of the cargo capacity to make way for missiles. ",
url: "/pledge/ships/misc-freelancer/Freelancer-MIS",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "56",
afterburner_speed: "1115",
beam: "26.5",
cargocapacity: "46",
height: "10.0",
length: "29.0",
manufacturer_id: "5",
mass: "226700",
max_crew: "2",
min_crew: "2",
pitch_max: "85.0",
production_note: "Update pass in progress.",
production_status: "flight-ready",
roll_max: "110.0",
scm_speed: "220",
size: "medium",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "49.4",
yaw_max: "90.0",
yaxis_acceleration: "50.4",
zaxis_acceleration: "49.6",
description: "Drake Interplanetary claims that the Cutlass Black is a low-cost, easy-to-maintain solution for local in-system militia units. The larger-than-average cargo hold, RIO seat and dedicated tractor mount are, the company literature insists, for facilitating search and rescue operations.",
url: "/pledge/ships/drake-cutlass/Cutlass-Black",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "57",
afterburner_speed: "0",
beam: "26.0",
cargocapacity: "12",
height: "14.0",
length: "36.0",
manufacturer_id: "5",
mass: "226700",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "183",
size: "medium",
time_modified: "3 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Is there a doctor in the house? The Cutlass Red converts the standard cargo hold to a well-equipped medical facility including two Medical Beds. This star bound ambulance features the Nav-E7 Long Range Scanner, and Secure Plus Docking Collar making it ideal for search and rescue. This model contains emergency light-bars and a red emergency themed paint job for easy identification. ",
url: "/pledge/ships/drake-cutlass/Cutlass-Red",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "58",
afterburner_speed: "1210",
beam: "26.0",
cargocapacity: "12",
height: "14.0",
length: "36.0",
manufacturer_id: "5",
mass: "226700",
max_crew: "3",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "198",
size: "medium",
time_modified: "1 month ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Sleek, mean, and royal. The Cutlass Blue adds missiles, a more aggressive engine, and Durasteel holding cells in the cargo bay to the standard model. The Cutlass Blue is the outworld militia standard ship of choice for patrols.",
url: "/pledge/ships/drake-cutlass/Cutlass-Blue",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "193",
afterburner_speed: "1115",
beam: "26.5",
cargocapacity: "46",
height: "10.0",
length: "29.0",
manufacturer_id: "5",
mass: "226700",
max_crew: "2",
min_crew: "2",
pitch_max: "85.0",
production_note: "Update pass in progress.",
production_status: "flight-ready",
roll_max: "110.0",
scm_speed: "220",
size: "medium",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "49.4",
yaw_max: "90.0",
yaxis_acceleration: "50.4",
zaxis_acceleration: "49.6",
description: "Drake Interplanetary claims that the Cutlass Black is a low-cost, easy-to-maintain solution for local in-system militia units. The larger-than-average cargo hold, RIO seat and dedicated tractor mount are, the company literature insists, for facilitating search and rescue operations.",
url: "/pledge/ships/drake-cutlass/Cutlass-Black-Best-In-Show-Edition",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "100",
afterburner_speed: "1310",
beam: "16.5",
cargocapacity: "0",
height: "5.5",
length: "22.5",
manufacturer_id: "12",
mass: "50040",
max_crew: "1",
min_crew: "1",
pitch_max: "105.0",
production_note: null,
production_status: "flight-ready",
roll_max: "145.0",
scm_speed: "250",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "66.2",
yaw_max: "105.0",
yaxis_acceleration: "85.6",
zaxis_acceleration: "70.5",
description: "Initially designed as a frontline carrier for the military, the Avenger Stalker took a different path, ultimately having a long and storied career as the standard patrol craft of the UEE Advocacy. Utilizing its cargo hold for prisoner transport, the Avenger features a sturdy, reliable hull and the capacity for larger-than-expected engine mounts. *This is the standard Avenger chassis with the Stalker Prisoner Transport module pre-installed.*",
url: "/pledge/ships/aegis-avenger/Avenger-Stalker",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "124",
afterburner_speed: "1115",
beam: "16.5",
cargocapacity: "8",
height: "5.5",
length: "22.5",
manufacturer_id: "12",
mass: "50735",
max_crew: "1",
min_crew: "1",
pitch_max: "80.0",
production_note: null,
production_status: "flight-ready",
roll_max: "90.0",
scm_speed: "205",
size: "small",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "67.6",
yaw_max: "80.0",
yaxis_acceleration: "89.0",
zaxis_acceleration: "71.5",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Renegade pays tribute to famed pilot Danny Solomon for his notable work with the Advocacy to bring justice to Bremen. This Avenger Titan comes equipped with a specialized dogfighting-focused loadout and a special-edition livery honoring this iconic ship.\n",
url: "/pledge/ships/aegis-avenger/Avenger-Titan-Renegade",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "101",
afterburner_speed: "1305",
beam: "16.5",
cargocapacity: "0",
height: "5.5",
length: "22.5",
manufacturer_id: "12",
mass: "50070",
max_crew: "1",
min_crew: "1",
pitch_max: "105.0",
production_note: null,
production_status: "flight-ready",
roll_max: "145.0",
scm_speed: "240",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "65.4",
yaw_max: "105.0",
yaxis_acceleration: "83.4",
zaxis_acceleration: "69.5",
description: "Outfitted with a Behring REP-8 EMP Generator, the Warlock makes non-lethal suppression possible via a powerful electromagnetic wave capable of disabling any electronics within the blast radius.\n\n*This is the standard Avenger chassis with the Warlock EMP module pre-installed.*",
url: "/pledge/ships/aegis-avenger/Avenger-Warlock",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "102",
afterburner_speed: "1115",
beam: "16.5",
cargocapacity: "8",
height: "5.5",
length: "22.5",
manufacturer_id: "12",
mass: "50056",
max_crew: "1",
min_crew: "1",
pitch_max: "105.0",
production_note: null,
production_status: "flight-ready",
roll_max: "145.0",
scm_speed: "260",
size: "small",
time_modified: "3 weeks ago",
type: "transport",
xaxis_acceleration: "67.6",
yaw_max: "105.0",
yaxis_acceleration: "89.0",
zaxis_acceleration: "71.5",
description: "Lacking the prisoner cells of the Stalker or the EMP of the Warlock, the Titan’s hold is free to carry cargo. Couple that with the Avenger’s tried and true combat abilities and you’ve got a light cargo hauler that’s more than capable of handling itself in a fight.",
url: "/pledge/ships/aegis-avenger/Avenger-Titan",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "64",
afterburner_speed: "980",
beam: "22.5",
cargocapacity: "0",
height: "6.0",
length: "22.5",
manufacturer_id: "3",
mass: "87497",
max_crew: "2",
min_crew: "1",
pitch_max: "80.0",
production_note: null,
production_status: "flight-ready",
roll_max: "115.0",
scm_speed: "200",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "52.6",
yaw_max: "80.0",
yaxis_acceleration: "59.1",
zaxis_acceleration: "49.0",
description: "The civilian model of the Gladiator appeals to those that want explore the ‘Verse with a bit of added security. Supporting a maximum of two, the Gladiator is perfectly equipped to explore and fight with or without a wingman. The Civilian model allows pilots to choose between an extra cargo hold or a bomb bay.",
url: "/pledge/ships/anvil-gladiator/Gladiator",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "22",
afterburner_speed: "1345",
beam: "10.0",
cargocapacity: "0",
height: "3.0",
length: "11.0",
manufacturer_id: "6",
mass: "10580",
max_crew: "1",
min_crew: "1",
pitch_max: "130.0",
production_note: null,
production_status: "flight-ready",
roll_max: "175.0",
scm_speed: "330",
size: "small",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: "99.7",
yaw_max: "130.0",
yaxis_acceleration: "152.1",
zaxis_acceleration: "114.4",
description: "If you want to get from point A to point B as quickly as possible and with as much style as possible then ORIGIN's M50 is for you. Featuring supercharged engines that counter a tiny weapons loadout, the M50 is a ship for going FAST.",
url: "/pledge/ships/origin-m50/M50",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "88",
afterburner_speed: "890",
beam: "46.5",
cargocapacity: "295",
height: "23.5",
length: "101.0",
manufacturer_id: "4",
mass: "3510025",
max_crew: "6",
min_crew: "4",
pitch_max: "20.0",
production_note: null,
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "115",
size: "large",
time_modified: "3 months ago",
type: "support",
xaxis_acceleration: "8.2",
yaw_max: "20.0",
yaxis_acceleration: "8.8",
zaxis_acceleration: "8.4",
description: "The Starfarer differs from traditional bulk freighters in one key way: it is a dedicated fuel platform. The Starfarer is designed not only to load, store and protect fuel stasis units, it is designed to take in spaceborne gases and refine them for use without landing. And while it excels at this, the Starfarer can also be used to ferry traditional bulk cargo pods. The listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the extra space available from the bulk cargo pods.",
url: "/pledge/ships/misc-starfarer/Starfarer",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "89",
afterburner_speed: "890",
beam: "46.5",
cargocapacity: "295",
height: "23.5",
length: "101.0",
manufacturer_id: "4",
mass: "3517864",
max_crew: "6",
min_crew: "4",
pitch_max: "20.0",
production_note: null,
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "120",
size: "large",
time_modified: "4 months ago",
type: "support",
xaxis_acceleration: "9.0",
yaw_max: "20.0",
yaxis_acceleration: "10.0",
zaxis_acceleration: "9.4",
description: "The UEE military uses an adapted ‘rough and tumble’ Gemini variant of the Starfarer for their front-line operations, trading some cargo capacity and maneuverability for reinforced armor, increased shielding, more powerful engines and stronger manned turrets. The Gemini also includes an optional missile pod, which can be swapped for the fuel intake unit on either Starfarer variant’s nose. The listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the extra space available from the bulk cargo pods.",
url: "/pledge/ships/misc-starfarer/Starfarer-Gemini",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "24",
afterburner_speed: "890",
beam: "39.0",
cargocapacity: "576",
height: "13.5",
length: "111.5",
manufacturer_id: "5",
mass: "1608205",
max_crew: "4",
min_crew: "2",
pitch_max: "20.0",
production_note: "Hull concept complete",
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "130",
size: "large",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "11.7",
yaw_max: "20.0",
yaxis_acceleration: "12.8",
zaxis_acceleration: "9.9",
description: "First introduced in 2871, Drake Interplanetary’s Caterpillar has long proven to be a reliable, cost-effective multi-role vessel, capable of being outfitted for everything from mercantile operations to combat support. Long hailed as a hard-fought alternative to the ubiquitous Hull series, the Caterpillar is a freighter that doesn’t skimp on weaponry or customization.",
url: "/pledge/ships/drake-caterpillar/Caterpillar",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "125",
afterburner_speed: "890",
beam: "39.0",
cargocapacity: "576",
height: "13.5",
length: "111.5",
manufacturer_id: "5",
mass: "1608205",
max_crew: "4",
min_crew: "2",
pitch_max: "20.0",
production_note: null,
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "130",
size: "large",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "11.7",
yaw_max: "20.0",
yaxis_acceleration: "12.8",
zaxis_acceleration: "9.9",
description: "Drake maintains that the Caterpillar, a sprawling, modular spacecraft which appears at least somewhat like its namesake, is for legitimate commerce and extended search and rescue missions... but this special livery seems to suggest otherwise.",
url: "/pledge/ships/drake-caterpillar/Caterpillar-Pirate-Edition",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "194",
afterburner_speed: "890",
beam: "39.0",
cargocapacity: "576",
height: "13.5",
length: "111.5",
manufacturer_id: "5",
mass: "1608205",
max_crew: "4",
min_crew: "2",
pitch_max: "20.0",
production_note: "Hull concept complete",
production_status: "flight-ready",
roll_max: "35.0",
scm_speed: "130",
size: "large",
time_modified: "4 months ago",
type: "transport",
xaxis_acceleration: "11.7",
yaw_max: "20.0",
yaxis_acceleration: "12.8",
zaxis_acceleration: "9.9",
description: "First introduced in 2871, Drake Interplanetary’s Caterpillar has long proven to be a reliable, cost-effective multi-role vessel, capable of being outfitted for everything from mercantile operations to combat support. Long hailed as a hard-fought alternative to the ubiquitous Hull series, the Caterpillar is a freighter that doesn’t skimp on weaponry or customization.",
url: "/pledge/ships/drake-caterpillar/Caterpillar-Best-In-Show-Edition",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "72",
afterburner_speed: "814",
beam: "42.5",
cargocapacity: "0",
height: "12.5",
length: "69.5",
manufacturer_id: "12",
mass: "300392",
max_crew: "7",
min_crew: "4",
pitch_max: "20.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "145",
size: "large",
time_modified: "6 months ago",
type: "combat",
xaxis_acceleration: "22.9",
yaw_max: "20.0",
yaxis_acceleration: "33.4",
zaxis_acceleration: "18.9",
description: "The Aegis Dynamics’ Retaliator has landed! One of the United Empire of Earth’s most powerful warbirds, the Retaliator was designed as a fearsome weapons platform designed to strike and kill capital ships. A key portion of the UEE’s power projection, Retaliator squadrons have served with distinction against outlaws, the Vanduul and elsewhere. This version of the Retaliator includes the bomb bay and torpedo launcher.",
url: "/pledge/ships/aegis-retaliator/Retaliator-Bomber",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "99",
afterburner_speed: "815",
beam: "42.5",
cargocapacity: "0",
height: "12.5",
length: "69.5",
manufacturer_id: "12",
mass: "300392",
max_crew: "7",
min_crew: "4",
pitch_max: "25.0",
production_note: "Concept complete. Current owners receive Retaliator Bomber as loaner.",
production_status: "in-concept",
roll_max: "50.0",
scm_speed: "185",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "22.9",
yaw_max: "25.0",
yaxis_acceleration: "33.4",
zaxis_acceleration: "18.8",
description: "The Aegis Dynamics’ Retaliator has landed! One of the United Empire of Earth’s most powerful warbirds, the Retaliator was designed as a fearsome weapons platform designed to strike and kill capital ships. A key portion of the UEE’s power projection, Retaliator squadrons have served with distinction against outlaws, the Vanduul and elsewhere. The base version of the Retaliator is customizable with additional modules to fit your needs.",
url: "/pledge/ships/aegis-retaliator/Retaliator-Base",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "26",
afterburner_speed: "1240",
beam: "23.0",
cargocapacity: "0",
height: "8.5",
length: "31.0",
manufacturer_id: "13",
mass: "59573",
max_crew: "1",
min_crew: "1",
pitch_max: "105.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "285",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "85.5",
yaw_max: "105.0",
yaxis_acceleration: "106.7",
zaxis_acceleration: "91.6",
description: "Fast becoming the symbol of the Vanduul Race, the Scythe is the foot soldier in every raid and the target of every human fighter pilot. Featuring a hefty weapons payload, the Scythe's real asset is its maneuverability, found in the twin main and twelve manuevering thrusters.",
url: "/pledge/ships/scythe/Scythe",
manufacturer: {
id: "13",
code: "VANDUUL",
description: null,
known_for: null,
name: "Vanduul",
media: null
}
},
{
id: "27",
afterburner_speed: "0",
beam: "126.0",
cargocapacity: "831",
height: "46.0",
length: "242.0",
manufacturer_id: "12",
mass: "37459548",
max_crew: "28",
min_crew: "8",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Larger than a bomber but smaller than a ship of the line, frigates occupy an interesting space in the pantheon of warships. While they lack the heavy armor and the capital weaponry of a cruiser, frigates are more maneuverable and are highly configurable.",
url: "/pledge/ships/aegis-idris/Idris-M",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "28",
afterburner_speed: "0",
beam: "126.0",
cargocapacity: "995",
height: "46.0",
length: "233.0",
manufacturer_id: "12",
mass: "37310200",
max_crew: "28",
min_crew: "8",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "A mark two \"peacekeeper\" variant developed for the UEE patrol services, the Idris-P strips the standard ship's ship-to-ship gun and spinal mount in favor of additional cargo capacity and superior speed.",
url: "/pledge/ships/aegis-idris/Idris-P",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "92",
afterburner_speed: "1030",
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8493",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "128.0",
scm_speed: "270",
size: "snub",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "70.3",
yaw_max: "90.0",
yaxis_acceleration: "82.7",
zaxis_acceleration: "61.6",
description: "Originally designed to pair with the RSI Constellation, the P-52 Merlin is now available to all pilots! A dedicated parasite fighter, the Merlin is designed to be transported from place to place aboard a larger ship. Boasting a centerline Gatling cannon and a Lightning Power engine, the Merlin is a fast, maneuverable ship that packs a surprising punch! Ideal for racing, local reconnaissance and fast combat.",
url: "/pledge/ships/p52-merlin/P-52-Merlin",
manufacturer: {
id: "19",
code: "KRIG",
description: null,
known_for: "the P-52 Merlin",
name: "Kruger Intergalactic",
media: null
}
},
{
id: "65",
afterburner_speed: "1160",
beam: "18.0",
cargocapacity: "6",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "32970",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "small",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "73.8",
yaw_max: "90.0",
yaxis_acceleration: "84.1",
zaxis_acceleration: "72.2",
description: "Inspired by Consolidated Outland CEO Silas Koerner’s cutting edge vision, the Mustang Alpha is a sleek, stylish spacecraft that uses ultralight alloys to push power ratios to the limits, albeit sometimes unsafely. And now, with the optional Cargo Carrier, you can have the Alpha’s advantages without sacrificing carrying capacity.",
url: "/pledge/ships/mustang/Mustang-Alpha",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "66",
afterburner_speed: "1215",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "39610",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "250",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: "70.7",
yaw_max: "90.0",
yaxis_acceleration: "82.0",
zaxis_acceleration: "69.0",
description: "The Mustang Beta, with its unprecedented range, is made for long duration flights. The factory standard Tarsus Leaper Jump Engine enables the Beta to travel to the galaxy’s farthest systems with ease, while the ship’s unique Com4T living quarters will make the journey feel like you never left home.",
url: "/pledge/ships/mustang/Mustang-Beta",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "67",
afterburner_speed: "1340",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "30263",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "168.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "93.3",
yaw_max: "110.0",
yaxis_acceleration: "136.1",
zaxis_acceleration: "105.6",
description: "Consolidated Outland’s design and engineering teams have managed to tweak and refine the Mustang into an admirable racer. The end result, the Mustang Gamma, has smooth acceleration, and power on demand thanks to an innovative package featuring three powerful Magma Jet engines for maximum thrust.",
url: "/pledge/ships/mustang/Mustang-Gamma",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "69",
afterburner_speed: "1225",
beam: "18.0",
cargocapacity: "0",
height: "9.0",
length: "21.5",
manufacturer_id: "22",
mass: "37345",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "240",
size: "small",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "73.3",
yaw_max: "90.0",
yaxis_acceleration: "87.7",
zaxis_acceleration: "69.3",
description: "While it may not be able to go toe to toe with some of the military specific ships, by reinforcing the Mustang’s already strong hull construction with Consolidated Outland’s own line of Cavalry Class Mass Reduction Armor, the Delta has a reduced cross-sectional signature that evens the playing field.",
url: "/pledge/ships/mustang/Mustang-Delta",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "70",
afterburner_speed: "1340",
beam: "15.5",
cargocapacity: "0",
height: "5.5",
length: "17.5",
manufacturer_id: "22",
mass: "30263",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "168.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "93.3",
yaw_max: "110.0",
yaxis_acceleration: "136.1",
zaxis_acceleration: "105.6",
description: "Consolidated Outland teamed up with custom tuning company Accelerated Mass Design to create a limited edition racer that features a ramped up fuel intake for faster recycling of the ship’s already impressive boost system. To cap off the collaboration, AMD enlisted resident underground artist Sektor8 to design the dynamic paint job.",
url: "/pledge/ships/mustang/Mustang-Omega",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "172",
afterburner_speed: "1160",
beam: "15.5",
cargocapacity: "6",
height: "5.5",
length: "17.5",
manufacturer_id: "22",
mass: "32970",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "small",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: "73.8",
yaw_max: "90.0",
yaxis_acceleration: "84.1",
zaxis_acceleration: "72.2",
description: "Make the ultimate statement and show the universe that you are a paragon of style and a bulwark of freedom. With this limited Vindicator Edition livery, the maverick designers at Consolidated Outland have pulled out all the stops, creating a trim package that commemorates CitizenCon 2948 and embodies the spirit of daring that defines both the original vision of Silas Koerner and the unyielding determination of the UEE.",
url: "/pledge/ships/mustang/Mustang-Alpha-Vindicator",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "59",
afterburner_speed: "0",
beam: "19.5",
cargocapacity: "0",
height: "11.0",
length: "37.5",
manufacturer_id: "12",
mass: "120380",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: "Waiting for resources to start modeling",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Now you can own the Next Great Starship! Designed by Star Citizen's backers, the Aegis Redeemer is a powerful fighting ship capable of holding its own in combat with a powerful weapons payload. Dotted with turrets and missiles, the Redeemer also doubles as an armored landing craft capable of delivering armored soldiers for first person combat!",
url: "/pledge/ships/redeemer/Redeemer",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "60",
afterburner_speed: "1235",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "120.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "280",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "120.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: "The Gladius is an older design which has been updated over the years to keep up with modern technology. In military circles, the Gladius is beloved for its performance and its simplicity. A fast, light fighter with a laser-focus on dogfighting, the Gladius is an ideal interceptor or escort ship.",
url: "/pledge/ships/gladius/Gladius",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "121",
afterburner_speed: "1236",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "90.0",
production_note: null,
production_status: "flight-ready",
roll_max: "100.0",
scm_speed: "220",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "90.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Valiant pays tribute to famed defense pilot Condi Hillard for being the first Human on record to defeat a Vanduul in combat. This Gladius comes equipped with a specialized dogfighting focused loadout and a custom special edition livery honoring her iconic ship.\n",
url: "/pledge/ships/gladius/Gladius-Valiant",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "188",
afterburner_speed: "1235",
beam: "17.0",
cargocapacity: "0",
height: "5.5",
length: "20.0",
manufacturer_id: "12",
mass: "48958",
max_crew: "1",
min_crew: "1",
pitch_max: "120.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "280",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "88.6",
yaw_max: "120.0",
yaxis_acceleration: "118.5",
zaxis_acceleration: "92.1",
description: null,
url: "/pledge/ships/gladius/Pirate-Gladius",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "35",
afterburner_speed: "1325",
beam: "13.0",
cargocapacity: "0",
height: "8.0",
length: "30.5",
manufacturer_id: "81",
mass: "67115",
max_crew: "1",
min_crew: "1",
pitch_max: "125.0",
production_note: null,
production_status: "flight-ready",
roll_max: "160.0",
scm_speed: "300",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "104.5",
yaw_max: "125.0",
yaxis_acceleration: "107.3",
zaxis_acceleration: "104.5",
description: "The Xi'an Aopoa corporation manufactures an export model of the Qhire Khartu, the Khartu-al, for sale to Human civilians. The export model features the same Xi'an maneuvering rig, but control surfaces modified for Human use and a more limited armament.",
url: "/pledge/ships/khartu/Khartu-Al",
manufacturer: {
id: "81",
code: "AOPOA",
description: null,
known_for: null,
name: "Aopoa",
media: null
}
},
{
id: "36",
afterburner_speed: "0",
beam: "160.0",
cargocapacity: "3584",
height: "65.0",
length: "160.0",
manufacturer_id: "21",
mass: "9635000",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: "Hull concept complete",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "3 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Banu traders are renowned for their merchant prowess, traveling the spacelanes and trading with everyone from humans to the Vanduul! Their sturdy, dedicated trading ships are prized beyond all other transports, sometimes passing from generation to generation of Banu.",
url: "/pledge/ships/merchantman/Merchantman",
manufacturer: {
id: "21",
code: "BANU",
description: null,
known_for: null,
name: "Banu",
media: null
}
},
{
id: "55",
afterburner_speed: "0",
beam: "52.0",
cargocapacity: "1600",
height: "24.0",
length: "123.0",
manufacturer_id: "6",
mass: "4590000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "2 weeks ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With an elegant, sleek exterior that belies its spacious interior, the 890 Jump is a true engineering marvel; crafted to impress from every angle by combining a unique, innovative design with the finest materials and the most advanced technology. The result is a vessel that is in a class all of its own, a masterpiece worthy of the name ORIGIN.",
url: "/pledge/ships/890-jump/890-Jump",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "62",
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "204",
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-W-C8X",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "205",
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-Expedition-W-C8X",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "206",
afterburner_speed: "0",
beam: "76.5",
cargocapacity: "456",
height: "30.0",
length: "126.5",
manufacturer_id: "3",
mass: "4397858",
max_crew: "6",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "1076",
size: "large",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Anvil Carrack features reinforced fuel tanks for long-duration flight, an advanced jump drive, and a dedicated computer core for jump charting operations. Originally a military exclusive, the Carrack is now available for civilian use. On-board accommodations include crew medical and repair facilities, and a mapping-oriented sensor suite.",
url: "/pledge/ships/carrack/Carrack-Expedition",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "61",
afterburner_speed: "1360",
beam: "12.5",
cargocapacity: "0",
height: "9.0",
length: "23.5",
manufacturer_id: "5",
mass: "66031",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "65.0",
scm_speed: "235",
size: "small",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "56.1",
yaw_max: "50.0",
yaxis_acceleration: "126.5",
zaxis_acceleration: "50.9",
description: "The Drake Herald is a small, armored ship designed to safely get information from Point A to Point B. Featuring a powerful central engine (for high speed transit and generating the power needed for effective data encryption/containment), advanced encryption software and an armored computer core, the Herald is unique among personal spacecraft in that it is designed to be easily ‘cleaned’ when in danger of capture.",
url: "/pledge/ships/herald/Herald",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "41",
afterburner_speed: "0",
beam: "55.0",
cargocapacity: "4608",
height: "55.0",
length: "125.0",
manufacturer_id: "4",
mass: "886930",
max_crew: "4",
min_crew: "2",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Often called the most common ship in the galaxy, the Hull C is the most-produced of the range and is considered by many to be the most versatile. Intended to hit the ‘sweet spot’ between the smaller single-person transports and the massive superfreighters that make up the rest of the range, the Hull C offers the expansive modularity of the larger ships while still retaining a modicum of the maneuverability allowed the low end of the range.",
url: "/pledge/ships/hull/Hull-C",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "84",
afterburner_speed: "0",
beam: "8.0",
cargocapacity: "48",
height: "4.0",
length: "22.0",
manufacturer_id: "4",
mass: "122650",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "small",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The smallest, most affordable Hull. The Hull A is great for those just striking out in the galaxy on their own. The Hull A is most similar to the Aurora and Mustang, but lacks the ‘jack of all trades’ nature. Where the others trade cargo capacity for firepower or speed, the Hull A is 100% on-mission transport! Additionally, Hull A (and B) are often used as station-to-orbit ferries.",
url: "/pledge/ships/hull/Hull-A",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "85",
afterburner_speed: "0",
beam: "15.5",
cargocapacity: "384",
height: "17.0",
length: "49.0",
manufacturer_id: "4",
mass: "387500",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "medium",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Hull B is a more rugged option most often compared to MISC’s own Freelancer. But where the Freelancer is equipped for long range exploration and other roles, the Hull B is a pure cargo transport. Hull B are often used as corporate support ships, and it is not uncommon to spot several in different liveries during a single flight.",
url: "/pledge/ships/hull/Hull-B",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "86",
afterburner_speed: "0",
beam: "70.0",
cargocapacity: "20736",
height: "70.0",
length: "209.0",
manufacturer_id: "4",
mass: "1216000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Hull D kicks off the larger end of the spectrum with a massive ship built around a rugged frame. The Hull D is affordable enough to be operated by mid-sized organizations and companies. Hull D are often used as flagships for mercantile operations, but their bulk means that they should be operated with escort fighters while not in safe space. The UEE military uses modified Hull D as part of their supply chain, arming and refueling the soldiers on the front line.",
url: "/pledge/ships/hull/Hull-D",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "87",
afterburner_speed: "0",
beam: "104.0",
cargocapacity: "98304",
height: "104.0",
length: "372.0",
manufacturer_id: "4",
mass: "1652000",
max_crew: "5",
min_crew: "4",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The largest specialized freighter available on the market today, the Hull E is generally owned by major corporations and operated with a high degree of planning. The lack of maneuverability inherent in such a large ship means that anyone planning to operate them should be careful about equipping turrets and providing escort. Their potential load (and modularity) is unparalleled, however: no other ship allows as much room to store goods or to modify towards another role!",
url: "/pledge/ships/hull/Hull-E",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "71",
afterburner_speed: "0",
beam: "50.0",
cargocapacity: "384",
height: "50.0",
length: "170.0",
manufacturer_id: "1",
mass: "26496000",
max_crew: "7",
min_crew: "4",
pitch_max: null,
production_note: "Hull concept complete",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Roberts Space Industries’ goal has always been to make the stars available to individual Citizens. Now, with the RSI Orion mining platform, RSI is letting individuals take over a process formerly controlled by mega-corporations. The Orion’s features include high-grade turret-mounted tractor beam arrays, plenty of mineral storage and a cabin designed by the team that brought you the Aurora and Constellation!\n\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the mined material capacity in the storage pods which will be detailed later.",
url: "/pledge/ships/orion/Orion",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "51",
afterburner_speed: "930",
beam: "118.0",
cargocapacity: "180",
height: "50.0",
length: "155.0",
manufacturer_id: "12",
mass: "9500158",
max_crew: "5",
min_crew: "4",
pitch_max: "15.0",
production_note: "Currently being built and tested for implementation in-game.",
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "100",
size: "large",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: "8.2",
yaw_max: "15.0",
yaxis_acceleration: "8.4",
zaxis_acceleration: "8.3",
description: "The Aegis Reclaimer is an industrial salvage ship. Equipped with a reinforced cargo bay, a long-range jump drive and launch pods for unmanned drones, the Reclaimer is an ideal ship for taking advantage of deep space wrecks. Tractor beams, floodlights, scanner options and docking ports round out the tools on this capable, utilitarian spacecraft.\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the salvaged material capacity which will be detailed later.",
url: "/pledge/ships/reclaimer/Reclaimer",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "196",
afterburner_speed: "930",
beam: "118.0",
cargocapacity: "180",
height: "50.0",
length: "155.0",
manufacturer_id: "12",
mass: "9500158",
max_crew: "5",
min_crew: "4",
pitch_max: "15.0",
production_note: null,
production_status: "flight-ready",
roll_max: "30.0",
scm_speed: "100",
size: "large",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: "8.2",
yaw_max: "15.0",
yaxis_acceleration: "8.4",
zaxis_acceleration: "8.3",
description: "The Aegis Reclaimer is an industrial salvage ship. Equipped with a reinforced cargo bay, a long-range jump drive and launch pods for unmanned drones, the Reclaimer is an ideal ship for taking advantage of deep space wrecks. Tractor beams, floodlights, scanner options and docking ports round out the tools on this capable, utilitarian spacecraft.\n\nThe listed Cargo Capacity is only for the dedicated Cargo Room and does not account for the salvaged material capacity which will be detailed later.",
url: "/pledge/ships/reclaimer/Reclaimer-Best-In-Show-Edition",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "63",
afterburner_speed: "0",
beam: "198.0",
cargocapacity: "5400",
height: "72.0",
length: "480.0",
manufacturer_id: "12",
mass: "109860179",
max_crew: "80",
min_crew: "12",
pitch_max: null,
production_note: "Currently being built and tested for implementation in-game.",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: "0.0",
description: "Designed for use by the UEE military, the Javelin is a massive, modular capital ship that can be appropriated for entrepreneurial use. With a detailed interior, plenty of modular room options and a high crew capacity, the Javelin is a ship that has made a name for itself in a variety of roles.",
url: "/pledge/ships/aegis-javelin/Javelin",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "75",
afterburner_speed: "1115",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "238616",
max_crew: "2",
min_crew: "2",
pitch_max: "80.0",
production_note: null,
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "51.9",
yaw_max: "80.0",
yaxis_acceleration: "54.5",
zaxis_acceleration: "53.3",
description: "A hard-charging bulldog of a fighter which features extensive forward-mounted weaponry designed to tear through the shields and armor of other spacecraft. So-named because their multiple-jump range allows them to form the vanguard of any military expedition, Vanguards have seen extensive service against the Vanduul.",
url: "/pledge/ships/vanguard/Vanguard-Warden",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "95",
afterburner_speed: "0",
beam: "40.0",
cargocapacity: "0",
height: "8.0",
length: "38.5",
manufacturer_id: "12",
mass: "240092",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Vanguard Harbinger is Earth’s standard fighter-bomber, converting the standard Warden model’s escape pod into a potent bomb bay. The extended range of the Vanguard and the relatively small profile mean that it can go where carrier-based planes or larger strategic bombers don’t… and then strike hard and make it back to frontier bases. The Vanguard Harbinger is a powerful bomber that can operate out of the roughest forward operating bases.\n",
url: "/pledge/ships/vanguard/Vanguard-Harbinger",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "96",
afterburner_speed: "0",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "238616",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: "Concept complete.",
production_status: "flight-ready",
roll_max: null,
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Vanguard Sentinel is a ship that’s designed to fight smart instead of taking enemies head on. The conversion features an AR cockpit, an external e-War pod, decoy missiles and a set of EMP charges. Vanguard Sentinels often provide necessary combat support for combined operations. A lone Sentinel assigned wild weasel tasks is frequently paired with Harbinger bombers and Warden escorts for large attack missions.",
url: "/pledge/ships/vanguard/Vanguard-Sentinel",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "127",
afterburner_speed: "1020",
beam: "40.0",
cargocapacity: "0",
height: "8.5",
length: "38.5",
manufacturer_id: "12",
mass: "229440",
max_crew: "1",
min_crew: "1",
pitch_max: "80.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "225",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "51.8",
yaw_max: "80.0",
yaxis_acceleration: "54.6",
zaxis_acceleration: "53.4",
description: "The Vanguard Hoplite is a cross between the winning Vanguard deep space fighter and a dedicated boarding ship. Adapting the reliable design for amphibious operations, the Hoplite is the perfect tool for inserting an armored strike team with enough firepower to get them out again.",
url: "/pledge/ships/vanguard/Vanguard-Hoplite",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "90",
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "6",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: "80.0",
production_note: "This ship is in game and ready to fly immediately.",
production_status: "flight-ready",
roll_max: "115.0",
scm_speed: "220",
size: "small",
time_modified: "4 months ago",
type: "multi",
xaxis_acceleration: "64.0",
yaw_max: "80.0",
yaxis_acceleration: "71.6",
zaxis_acceleration: "47.3",
description: "Small supply runs from a planet's surface to a nearby orbital station have become commonplace. With bigger ships focusing more on the long-haul, the Reliant's standard 'Kore' loadout gives it enough carrying capacity for starting out with smaller runs while complementing MISC's Hull-series as a long-haul support ship.\t",
url: "/pledge/ships/reliant/Reliant-Kore",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "105",
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Empire depends on up-to-the-second information, which is why reporters need to be able to go where the news is happening: wherever, whenever. Enter the Mako, all the flexibility and dependability of a MISC Reliant combined with a state of the art Image Enhancement suite and turret-mounted optics to capture every moment as it happens with the clarity and accuracy that makes headlines. ",
url: "/pledge/ships/reliant/Reliant-Mako",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "106",
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Magellan, Pierce, Croshaw, names that echo through history thanks to their adventurous spirit, a curious nature and a reliable ship. The Reliant Sen is a versatile mobile science platform; outfitted with long range capabilities to take you further, longer, and an advanced sensor suite. Perfect for the aspiring explorer who wants to whisper their name into the halls of history.",
url: "/pledge/ships/reliant/Reliant-Sen",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "107",
afterburner_speed: "1150",
beam: "28.5",
cargocapacity: "0",
height: "4.0",
length: "14.5",
manufacturer_id: "4",
mass: "38566",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "166",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With Humanity ever-expanding through the universe, the need for a versatile lightweight fighter has expanded with it. Easy to maintain with a rugged construction, the Reliant Tana makes for an ideal choice for frontier and outpost defense thanks to its custom high-yield power plant, stronger shields and additional weapon mounts.",
url: "/pledge/ships/reliant/Reliant-Tana",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "91",
afterburner_speed: "0",
beam: "90.0",
cargocapacity: "300",
height: "16.0",
length: "85.0",
manufacturer_id: "68",
mass: "3120000",
max_crew: "8",
min_crew: "2",
pitch_max: null,
production_note: "Waiting for resources to start modeling",
production_status: "in-production",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Genesis is yet another landmark in Crusader Industries’ proud history of transport designs. This ship utilizes award-winning manufacturing techniques and the highest quality parts to create one thing; a next-generation passenger ship at a price that won’t break your budget. Crusader Industries’ proprietary NeoG engine technology offers some of the most efficient flight for a ship of its size.",
url: "/pledge/ships/starliner/Genesis-Starliner",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "93",
afterburner_speed: "1230",
beam: "31.5",
cargocapacity: "0",
height: "8.5",
length: "31.0",
manufacturer_id: "69",
mass: "66013",
max_crew: "1",
min_crew: "1",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "81.4",
yaw_max: "100.0",
yaxis_acceleration: "93.0",
zaxis_acceleration: "76.8",
description: "The Glaive is a symmetrical version of the Scythe. Generally flown by Vanduul with more combat experience, they are better armed and have two huge blades/wings as opposed to one on the standard Scythe.\n\n\nThis model is a human reproduction created by the manufacturer Esperia.\n",
url: "/pledge/ships/esperia-glaive/Glaive",
manufacturer: {
id: "69",
code: "ESPR",
description: "Esperia is a human company specialized in creating Vanduul ship reproductions for war-time simulations. ",
known_for: null,
name: "Esperia",
media: null
}
},
{
id: "97",
afterburner_speed: "0",
beam: "48.0",
cargocapacity: "500",
height: "20.0",
length: "200.0",
manufacturer_id: "4",
mass: "4055000",
max_crew: "5",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Musashi Industrial & Starflight Concern is proud to present the Endeavor-class research vessel, a fully modular space platform designed to be adapted for a variety of scientific and medical tasks. Initially developed as a floating laboratory, the MISC Endeavor can be outfitted for everything from spatial telescopy to use as mobile hospital.",
url: "/pledge/ships/misc-endeavor/Endeavor",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "98",
afterburner_speed: "1235",
beam: "26.0",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "78513",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: "Flight Ready",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "275",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: "81.1",
yaw_max: "110.0",
yaxis_acceleration: "94.1",
zaxis_acceleration: "86.0",
description: "Part of Aegis Dynamics’ Phase Two of new ship models, the Sabre was designed as a space superiority fighter for those situations where you need to leave a lighter footprint. Designed to be a rapid responder, the Sabre is more than capable of establishing battlefield dominance for any number of combat scenarios.",
url: "/pledge/ships/sabre/Sabre",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "120",
afterburner_speed: "1235",
beam: "26.0",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "78513",
max_crew: "1",
min_crew: "1",
pitch_max: "85.0",
production_note: null,
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "215",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "81.1",
yaw_max: "85.0",
yaxis_acceleration: "94.1",
zaxis_acceleration: "86.0",
description: "Created as part of the ‘Masters of Flight’ series in conjunction with the flight-sim Arena Commander, the Comet pays tribute to famed pilot Captain Kamur Dalion for his work with Aegis to usher in a new era of combat ship design. This Sabre comes equipped with a specialized dogfighting focused loadout and a custom special edition livery honoring this iconic ship.\n",
url: "/pledge/ships/sabre/Sabre-Comet",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "148",
afterburner_speed: "1235",
beam: "20.5",
cargocapacity: "0",
height: "5.0",
length: "24.0",
manufacturer_id: "12",
mass: "69433",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: "Available in 3.0 patch.",
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "275",
size: "small",
time_modified: "3 years ago",
type: "combat",
xaxis_acceleration: "82.3",
yaw_max: "110.0",
yaxis_acceleration: "95.0",
zaxis_acceleration: "86.7",
description: "Part of Aegis Dynamics’ Phase Two of new ship models, the Sabre was designed as a space superiority fighter for those situations where you need to leave a lighter footprint. They have raised the bar yet again with their Raven variant, maintaining all the speed and maneuverability of its Sabre forebear, but with a lower ship signature, making it a fast, stealthy infiltrator.",
url: "/pledge/ships/sabre/Sabre-Raven",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "103",
afterburner_speed: "0",
beam: "50.0",
cargocapacity: "230",
height: "20.0",
length: "90.0",
manufacturer_id: "3",
mass: "3650500",
max_crew: "8",
min_crew: "3",
pitch_max: null,
production_note: "Concept complete.",
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "large",
time_modified: "1 year ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A so-called “flying toolbox,” the Crucible is Anvil Aerospace’s first dedicated repair ship. Featuring a rotating control bridge and a detachable pressurized workspace, the Crucible is a versatile mobile garage equipped with repair arms, a drone operation center and all the equipment needed to overhaul a damaged craft back into fighting shape.",
url: "/pledge/ships/crucible/Crucible",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "104",
afterburner_speed: "0",
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8290",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "If you’re looking for something a little more agile, blaze among the stars with Kruger Intergalactic’s P-72 Archimedes. Whether for added security, exploring a system or simply the joy of flying, the Archimedes is the perfect companion snub craft. Featuring an extra intake and a lighter hull than its sister ship, the Archimedes delivers exceptional handling and boost capabilities in a sleek package you’ll want along for the ride.",
url: "/pledge/ships/p72-archimedes/P72-Archimedes",
manufacturer: {
id: "19",
code: "KRIG",
description: null,
known_for: "the P-52 Merlin",
name: "Kruger Intergalactic",
media: null
}
},
{
id: "207",
afterburner_speed: null,
beam: "7.7",
cargocapacity: "0",
height: "2.2",
length: "12.0",
manufacturer_id: "19",
mass: "8979",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "250",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built with exacting precision and styled with urban sophistication in mind, this compact snub isn’t just for show. Fast and responsive, it’s the ideal chaperone for larger ship or the perfect partner for a solo sprint in-atmosphere. The Archimedes Emerald features an exclusive Stellar Fortuna skin, available for a limited time only. ",
url: "/pledge/ships/p72-archimedes/P72-Archimedes-Emerald",
manufacturer: {
id: "19",
code: "KRIG",
description: null,
known_for: "the P-52 Merlin",
name: "Kruger Intergalactic",
media: null
}
},
{
id: "108",
afterburner_speed: "1240",
beam: "20.0",
cargocapacity: "0",
height: "5.5",
length: "16.5",
manufacturer_id: "69",
mass: "26056",
max_crew: "1",
min_crew: "1",
pitch_max: "115.0",
production_note: null,
production_status: "flight-ready",
roll_max: "140.0",
scm_speed: "290",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: "86.3",
yaw_max: "115.0",
yaxis_acceleration: "116.2",
zaxis_acceleration: "89.5",
description: "Vanduul light fighters, designated 'Blade', are often used as scouts and first wave assault crafts. Over the decades of conflict, they have been increasingly used to take out comm arrays and early warning systems. They have also served well as skirmisher units as their speed allows them to chase down ships attempting to flee. If engaged, expect the Blade to utilize its speed and agility to wear down your defenses.",
url: "/pledge/ships/vanduul-blade/Blade",
manufacturer: {
id: "69",
code: "ESPR",
description: "Esperia is a human company specialized in creating Vanduul ship reproductions for war-time simulations. ",
known_for: null,
name: "Esperia",
media: null
}
},
{
id: "109",
afterburner_speed: "1210",
beam: "15.0",
cargocapacity: "0",
height: "7.0",
length: "24.0",
manufacturer_id: "4",
mass: "116477",
max_crew: "1",
min_crew: "1",
pitch_max: "70.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "95.0",
scm_speed: "200",
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: "40.6",
yaw_max: "70.0",
yaxis_acceleration: "44.4",
zaxis_acceleration: "42.3",
description: "For years, the Prospector has been the universe’s preferred mining vessel for solo operators. Featuring MISC’s sleek design sensibility and a bevy of upgraded high-tech mining tools, the 2947 Prospector perfectly balances form and functionality.",
url: "/pledge/ships/misc-prospector/Prospector",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "110",
afterburner_speed: "1315",
beam: "16.0",
cargocapacity: "0",
height: "4.5",
length: "15.0",
manufacturer_id: "5",
mass: "40821",
max_crew: "1",
min_crew: "1",
pitch_max: "110.0",
production_note: null,
production_status: "flight-ready",
roll_max: "150.0",
scm_speed: "280",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "92.8",
yaw_max: "110.0",
yaxis_acceleration: "108.7",
zaxis_acceleration: "92.8",
description: "The Buccaneer has been designed from the ground up to fly and fight the way you live. No leather interiors or hyperpillows here: the ‘Bucc is a scrapper designed to maneuver and fight above its weight class. This rough-and-tumble frontier fighter can be maintained in the worst of conditions in order to keep real, working space crews alive.",
url: "/pledge/ships/drake-buccaneer/Buccaneer",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "111",
afterburner_speed: "1100",
beam: "2.5",
cargocapacity: "0",
height: "1.5",
length: "6.0",
manufacturer_id: "5",
mass: "2169",
max_crew: "2",
min_crew: "1",
pitch_max: "90.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "110.0",
scm_speed: "155",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "50.6",
yaw_max: "80.0",
yaxis_acceleration: "67.4",
zaxis_acceleration: "60.8",
description: "The Drake Dragonfly is the perfect snub ship for anyone looking to live on the edge. With nothing separating the pilot from the dangers of space, the Dragonfly is as much an adventure as a ship! Dual-mode conversion allows the Dragonfly to operate on the ground or in space, and a rear-facing second seat means you can even take a passenger! This exclusive Yellowjacket version is available only for the concept sale.\n",
url: "/pledge/ships/drake-dragonfly/Dragonfly-Yellowjacket",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "112",
afterburner_speed: "1100",
beam: "2.5",
cargocapacity: "0",
height: "1.5",
length: "6.0",
manufacturer_id: "5",
mass: "2169",
max_crew: "2",
min_crew: "1",
pitch_max: "115.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "175.0",
scm_speed: "255",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "50.6",
yaw_max: "105.0",
yaxis_acceleration: "67.4",
zaxis_acceleration: "60.8",
description: "The Drake Dragonfly is the perfect snub ship for anyone looking to live on the edge. With nothing separating the pilot from the dangers of space, the Dragonfly is as much an adventure as a ship! Dual-mode conversion allows the Dragonfly to operate on the ground or in space, and a rear-facing second seat means you can even take a passenger! This black model is Drake's standard production version.\n",
url: "/pledge/ships/drake-dragonfly/Dragonfly-Black",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "113",
afterburner_speed: "920",
beam: "8.5",
cargocapacity: "0",
height: "4.3",
length: "9.3",
manufacturer_id: "73",
mass: "12307",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: null,
production_status: "flight-ready",
roll_max: "80.0",
scm_speed: "150",
size: "snub",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "25.8",
yaw_max: "50.0",
yaxis_acceleration: "29.3",
zaxis_acceleration: "27.2",
description: "The ARGO Astronautics MPUV-1P (commonly ‘Argo Personnel.’) is geared towards a simple but incredibly important responsibility: moving groups of people from place to place. The UEE Navy uses MPUV-1Ps extensively, and any new recruit can likely recall those terrifying moments in which such a ship carried them to their first space assignment. In civilian hands, Argo Personnel ships are adapted for everything from standard taxi services to use as makeshift combat dropships. The ARGO is capable of carrying up to eight Humans and their equipment.",
url: "/pledge/ships/argo/MPUV-Personnel",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "114",
afterburner_speed: "900",
beam: "8.5",
cargocapacity: "2",
height: "4.3",
length: "9.5",
manufacturer_id: "73",
mass: "12187",
max_crew: "1",
min_crew: "1",
pitch_max: "50.0",
production_note: null,
production_status: "flight-ready",
roll_max: "80.0",
scm_speed: "150",
size: "snub",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: "25.8",
yaw_max: "50.0",
yaxis_acceleration: "29.3",
zaxis_acceleration: "27.2",
description: "The ARGO Astronautics MPUV-1C (commonly ‘Argo Cargo’) is a dedicated merchant transfer ship, a ubiquitous intergalactic stevedore. Vast numbers of Argo Cargos are responsible for loading and unloading goods onto massive long-haul transports and miners that cannot otherwise land on planets or drydocks, such as the Hull D and the Orion. Some captains choose to own and operate their own Argo, while others pay privately owned ships operating as port services a rental fee for performing the unloading process.",
url: "/pledge/ships/argo/MPUV-Cargo",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "115",
afterburner_speed: "1205",
beam: "14.5",
cargocapacity: "0",
height: "6.0",
length: "19.5",
manufacturer_id: "3",
mass: "86454",
max_crew: "1",
min_crew: "1",
pitch_max: "75.0",
production_note: "Currently being built and tested for implementation in-game.",
production_status: "flight-ready",
roll_max: "100.0",
scm_speed: "210",
size: "small",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: "51.9",
yaw_max: "75.0",
yaxis_acceleration: "65.7",
zaxis_acceleration: "58.1",
description: "Presenting the Anvil Aerospace U4A-3 Terrapin-class Scanning/Exploration Ship. The Terrapin was developed near the end of the 28th century to serve as the first ship in the Empire’s defensive restructuring of the Navy. The Terrapin’s watchword is protection, with extensive shield systems and armor layers designed to provide the maximum possible defense for pilot and crew. While it lacks the maneuverability of a dedicated fighter, it does maintain an advanced, hard-hitting array of weapons intended to keep the most fearsome Vanduul raider at bay.",
url: "/pledge/ships/terrapin/Terrapin",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "116",
afterburner_speed: "0",
beam: "82.0",
cargocapacity: "216",
height: "35.0",
length: "155.0",
manufacturer_id: "1",
mass: "17155000",
max_crew: "14",
min_crew: "6",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "capital",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Polaris is a nimble corvette-class capital ship that packs a powerful punch with a full armament of turrets and torpedoes. Intended for use as both a naval patrol ship and to serve as the flagship of militia operations, Polaris has the capacity to perform search and rescue operations, light strike missions and general security patrols. The Polaris includes the facilities to repair, rearm and refuel a single fighter, light bomber or support ship.",
url: "/pledge/ships/polaris/Polaris",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "117",
afterburner_speed: "1116",
beam: "32.0",
cargocapacity: "0",
height: "15.0",
length: "34.0",
manufacturer_id: "69",
mass: "171700",
max_crew: "2",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "178",
size: "medium",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Named after the UPE military designation, the Prowler is a modernized version of the infamous Tevarin armored personnel carrier. Esperia’s astroengineers were given unmitigated access to study original versions of the ship recently discovered in the Kabal system to help meticulously reconstruct the vehicle. Now, the Prowler is the perfect fusion of two cultures: the elegance and effectiveness of the Tevarin war machine combined with the reliability of modern Human technology. \n",
url: "/pledge/ships/prowler/Prowler",
manufacturer: {
id: "69",
code: "ESPR",
description: "Esperia is a human company specialized in creating Vanduul ship reproductions for war-time simulations. ",
known_for: null,
name: "Esperia",
media: null
}
},
{
id: "123",
afterburner_speed: "1185",
beam: "10.0",
cargocapacity: "0",
height: "2.0",
length: "13.0",
manufacturer_id: "6",
mass: "19097",
max_crew: "2",
min_crew: "1",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "135.0",
scm_speed: "255",
size: "snub",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "59.0",
yaw_max: "100.0",
yaxis_acceleration: "68.2",
zaxis_acceleration: "61.3",
description: "Elegantly styled and meticulously constructed, the 85X is a versatile and comprehensive away-vessel that features precision control in and out of atmosphere. Utilizing much of the same thruster technology as the 300 series, it has the power of a racer with the reliability of a touring ship. Whether descending down to the planet surface or taking in the sights of your system, this runabout continues Origin’s proud tradition of turning heads.\n",
url: "/pledge/ships/85x/85X",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "126",
afterburner_speed: "1345",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "335",
size: "small",
time_modified: "2 months ago",
type: "competition",
xaxis_acceleration: "89.7",
yaw_max: "127.0",
yaxis_acceleration: "120.0",
zaxis_acceleration: "98.6",
description: "MISC makes a bid for the next Murray Cup with the all-new Razor. This advanced racer features an advanced composite spaceframe that puts pure speed ahead of everything else... it's the ship for pilots who want to leave the competition in the dust.",
url: "/pledge/ships/razor/Razor",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "157",
afterburner_speed: "1340",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "325",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "89.3",
yaw_max: "127.0",
yaxis_acceleration: "119.0",
zaxis_acceleration: "98.1",
description: "Outfitted with signature-reducing materials, the RAZOR-EX was a specialty build for the UEE Advocacy for use in surveillance and extraction operations. Although the EX was ultimately rejected for widespread use, MISC released a variation of the model for the public who were looking to keep a lower profile.",
url: "/pledge/ships/razor/Razor-EX",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "158",
afterburner_speed: "1345",
beam: "8.2",
cargocapacity: "0",
height: "2.7",
length: "11.5",
manufacturer_id: "4",
mass: "10925",
max_crew: "1",
min_crew: "1",
pitch_max: "127.0",
production_note: null,
production_status: "flight-ready",
roll_max: "172.0",
scm_speed: "340",
size: "small",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: "89.4",
yaw_max: "127.0",
yaxis_acceleration: "119.1",
zaxis_acceleration: "98.2",
description: "The Razor gets supercharged. The LX features an overclocked engine to unleash blazing top speeds perfect. This power comes at a cost with reduced maneuverability and armaments making it ideal for straight-shot racing. But who needs weapons when you’re leaving your competition in the dust.",
url: "/pledge/ships/razor/Razor-LX",
manufacturer: {
id: "4",
code: "MISC",
description: "MISC mass produces very efficient, modular ships, mostly armored freighters of different sizes that make them the preferred brand for traders and larger corporations.",
known_for: "the Freelancer series",
name: "Musashi Industrial & Starflight Concern",
media: null
}
},
{
id: "128",
afterburner_speed: "1125",
beam: "14.5",
cargocapacity: "0",
height: "6.0",
length: "22.0",
manufacturer_id: "3",
mass: "86454",
max_crew: "2",
min_crew: "2",
pitch_max: "100.0",
production_note: null,
production_status: "flight-ready",
roll_max: "140.0",
scm_speed: "265",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: "67.6",
yaw_max: "100.0",
yaxis_acceleration: "84.5",
zaxis_acceleration: "69.6",
description: "Big things do come in small packages: the Hurricane is a fighting spacecraft that packs a deadly punch into a slight fuselage. The spacecraft compensates for its lack of creature comforts with its powerful armament - six guns capable of blasting their way through nearly anything. Hurricane pilots have yet to find an enemy shield they can't knock down.",
url: "/pledge/ships/hurricane/Hurricane",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "129",
afterburner_speed: "0",
beam: "20.0",
cargocapacity: "0",
height: "8.0",
length: "25.5",
manufacturer_id: "21",
mass: "78406",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Meet the Banu Defender, a multi-crew fighter whose patchwork design highlights technology from a variety of species. Though cargo space is limited, the Defender features modest accommodations for its crew and provides easy access to components. The Defender gets its name from the role it serves: the first line of defense against enemy attacks. That’s why the Defender makes the ideal companion to the Merchantman: one to do the heavy hauling and the other to perform the deadly dogfighting. Every Banu merchant knows an investment in defense is an investment in their livelihood.",
url: "/pledge/ships/defender/Banu-Defender",
manufacturer: {
id: "21",
code: "BANU",
description: null,
known_for: null,
name: "Banu",
media: null
}
},
{
id: "130",
afterburner_speed: "980",
beam: "36.6",
cargocapacity: "0",
height: "4.4",
length: "20.5",
manufacturer_id: "12",
mass: "54216",
max_crew: "1",
min_crew: "1",
pitch_max: "75.0",
production_note: null,
production_status: "flight-ready",
roll_max: "120.0",
scm_speed: "195",
size: "medium",
time_modified: "4 months ago",
type: "combat",
xaxis_acceleration: "47.9",
yaw_max: "75.0",
yaxis_acceleration: "61.1",
zaxis_acceleration: "51.2",
description: "The Aegis Eclipse is a bomber designed to get in and strike before it's even spotted. After extensive service with the UEE, this high-tech military stalwart is making its debut on the civilian market for 2947.",
url: "/pledge/ships/eclipse/Eclipse",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "131",
afterburner_speed: "1105",
beam: "1.5",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "81",
mass: "1394",
max_crew: "1",
min_crew: "1",
pitch_max: "125.0",
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: "175.0",
scm_speed: "275",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: "56.0",
yaw_max: "110.0",
yaxis_acceleration: "70.7",
zaxis_acceleration: "60.6",
description: "Hit the skids with the 2947 Nox. This speedy and maneuverable open-canopy racer from Aopoa is capable of zipping along planet surfaces or deep space. Available for the first time in Human space, the Nox has been specifically redesigned for Human pilots, so grab your ship and head to the racetrack today.\n",
url: "/pledge/ships/nox/Nox",
manufacturer: {
id: "81",
code: "AOPOA",
description: null,
known_for: null,
name: "Aopoa",
media: null
}
},
{
id: "132",
afterburner_speed: "1103",
beam: "1.5",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "81",
mass: "1394",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "220",
size: "snub",
time_modified: "3 months ago",
type: "competition",
xaxis_acceleration: "56.0",
yaw_max: null,
yaxis_acceleration: "70.7",
zaxis_acceleration: "60.6",
description: "Deriving its name from the Xi’an word for ‘thrust,’ the Nox Kue delivers that and more. This limited version of the open-canopy racer features a stunning brushed-silver finish and was specifically created to celebrate the inaugural sale of the first Nox for Human riders.\n",
url: "/pledge/ships/nox/Nox-Kue",
manufacturer: {
id: "81",
code: "AOPOA",
description: null,
known_for: null,
name: "Aopoa",
media: null
}
},
{
id: "134",
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "1",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a potent combination of speed, maneuverability, and rugged durability, the Cyclone is a perfect choice for local deliveries and transport between planetside homesteads and outposts.",
url: "/pledge/ships/cyclone/Cyclone",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "135",
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Designed for militia and security use, the Cyclone TR module features upgraded armor and a single Human-operated turret capable of mounting a Size 1 weapon and a responsive 360° field of fire.",
url: "/pledge/ships/cyclone/Cyclone-TR",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "136",
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "For those who like to push the limits of speed, the Cyclone RC features a modified intake system to allow for controlled bursts of speed as well as tools to customize handling.",
url: "/pledge/ships/cyclone/Cyclone-RC",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "137",
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "3.0",
length: "6.0",
manufacturer_id: "83",
mass: "3022",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stay mobile and aware with the Cyclone RN. This light reconnaissance vehicle is the perfect solution for scouting runs, providing fast and detailed scans of terrain as well as beacon placement.",
url: "/pledge/ships/cyclone/Cyclone-RN",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "138",
afterburner_speed: "0",
beam: "4.0",
cargocapacity: "0",
height: "2.5",
length: "6.0",
manufacturer_id: "83",
mass: "3300",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "0",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A battlefield equalizer, the Cyclone AA comes equipped with a surface-to-air missile and countermeasure package to provide cover for ground troops against airborne targets.",
url: "/pledge/ships/cyclone/Cyclone-AA",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "139",
afterburner_speed: "0",
beam: "5.5",
cargocapacity: "4",
height: "2.2",
length: "7.6",
manufacturer_id: "1",
mass: "11732",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: "Available in Alpha 3.0.",
production_status: "flight-ready",
roll_max: null,
scm_speed: "40",
size: "vehicle",
time_modified: "2 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built by RSI specifically for the planetside explorer, the Ursa Rover offers civilians military-grade all-terrain capabilities and stands as the rugged standard in ground-based scouting, mapping and discovery applications.",
url: "/pledge/ships/ursa/Ursa-Rover",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "179",
afterburner_speed: "0",
beam: "5.5",
cargocapacity: "4",
height: "2.2",
length: "7.6",
manufacturer_id: "1",
mass: "11732",
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "40",
size: "vehicle",
time_modified: "2 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Fortune favors the bold. The most trusted name in all-terrain exploration embodies the essence of good fortune and success with this commemorative limited-edition Ursa Rover.",
url: "/pledge/ships/ursa/Ursa-Rover-Fortuna",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "140",
afterburner_speed: "950",
beam: "52.0",
cargocapacity: "16",
height: "17.0",
length: "91.5",
manufacturer_id: "6",
mass: "1576792",
max_crew: "5",
min_crew: "3",
pitch_max: "30.0",
production_note: null,
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "135",
size: "large",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: "13.1",
yaw_max: "30.0",
yaxis_acceleration: "14.6",
zaxis_acceleration: "14.2",
description: "Let the voyage begin with the 2947 600i from Origin Jumpworks. This multi-role luxury vessel from Origin Jumpworks features an exquisitely detailed hull design that balances performance and versatility in a sleek and timeless form. The 600i is designed with a cutting-edge modular technology, allowing you to customize your ship for your needs. Taking the family on a long-distance trip across the stars? The Touring module lets your guests relax in ease with stunning furniture from some of the Empire's top designers.",
url: "/pledge/ships/600i/600i-Touring",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "141",
afterburner_speed: "975",
beam: "52.0",
cargocapacity: "40",
height: "17.0",
length: "91.5",
manufacturer_id: "6",
mass: "1576792",
max_crew: "5",
min_crew: "2",
pitch_max: "30.0",
production_note: null,
production_status: "flight-ready",
roll_max: "50.0",
scm_speed: "145",
size: "large",
time_modified: "4 months ago",
type: "exploration",
xaxis_acceleration: "15.6",
yaw_max: "30.0",
yaxis_acceleration: "21.6",
zaxis_acceleration: "18.1",
description: "Let the voyage begin with the 2947 600i from Origin Jumpworks. This multi-role luxury vessel from Origin Jumpworks features an exquisitely detailed hull design that balances performance and versatility in a sleek and timeless form. The 600i is designed with a cutting-edge modular technology, allowing you to customize your ship for your needs. Looking to stamp your name in history with the discovery of a new star system? The 600i's Explorer module swaps the lounge for a robust scanning station as well as additional utility hardpoints to increase the ship's effectiveness even more.",
url: "/pledge/ships/600i/600i-Explorer",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "143",
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1610",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Welcome to the next level with the X1, Origin Jumpwork's new high performance open-canopy vehicle. Built from lightweight polymers, the X1 takes speed and agility to the next level thanks to seamlessly integrated engine technology and joint vector thruster placement. Innovative design and high quality engineering weave together to create a flight experience like no other.",
url: "/pledge/ships/x1/X1-Base",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "145",
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1528",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "How do you make fast go faster? Origin Jumpworks X1 Velocity dares to push the boundaries of speed by stripping down the base X1 to its core elements; eliminating the weapon mount and incorporating new Syntek composites to create a lighter chassis for overall weight loss.",
url: "/pledge/ships/x1/X1-Velocity",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "147",
afterburner_speed: "0",
beam: "1.3",
cargocapacity: "0",
height: "1.5",
length: "5.5",
manufacturer_id: "6",
mass: "1682",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "0",
size: "snub",
time_modified: "1 year ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Built to endure tougher environments and look good doing it, the X1 Force is a modified version of the base X1 model, featuring additional defensive elements to toughen up this speedy and agile open canopy bike, allowing it to serve in a variety of roles, from exploring worlds to potential security infiltration ops.",
url: "/pledge/ships/x1/X1-Force",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "149",
afterburner_speed: null,
beam: "125.0",
cargocapacity: "600",
height: "30.0",
length: "200.0",
manufacturer_id: "22",
mass: "35600000",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "85",
size: "capital",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "After their auspicious debut with the Mustang, Consolidated Outland has gone and changed the game again with the reveal of the Pioneer. This self-contained mobile construction yard is capable of creating planetary modular structures, ushering a new wave of aspiring colonists to customize their new homes on the frontier.",
url: "/pledge/ships/pioneer/Pioneer",
manufacturer: {
id: "22",
code: "CNOU",
description: null,
known_for: "the Mustang starter ship",
name: "Consolidated Outland",
media: null
}
},
{
id: "150",
afterburner_speed: "500",
beam: "22.0",
cargocapacity: "0",
height: "6.5",
length: "17.0",
manufacturer_id: "3",
mass: "40000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "200",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A small, light fighter with an emphasis on weaponry, the Hawk boasts an impressive arsenal of lethal and non-lethal weapons, making it a perfect ship for independent bounty hunters or local security looking for a little more punch.",
url: "/pledge/ships/hawk/Hawk",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "151",
afterburner_speed: null,
beam: "75.0",
cargocapacity: "40",
height: "16.0",
length: "115.0",
manufacturer_id: "12",
mass: "4260000",
max_crew: "9",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A fast patrol ship with multiple turrets designed to combat fighters, the Hammerhead is equally suited to support larger capital ships in a fleet or act as a flagship for fighter groups.",
url: "/pledge/ships/hammerhead/Hammerhead",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "195",
afterburner_speed: null,
beam: "75.0",
cargocapacity: "40",
height: "16.0",
length: "115.0",
manufacturer_id: "12",
mass: "4260000",
max_crew: "9",
min_crew: "3",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "A fast patrol ship with multiple turrets designed to combat fighters, the Hammerhead is equally suited to support larger capital ships in a fleet or act as a flagship for fighter groups.",
url: "/pledge/ships/hammerhead/Hammerhead-Best-In-Show-Edition",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "154",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.0",
length: "16.0",
manufacturer_id: "83",
mass: null,
max_crew: "3",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "20",
size: "vehicle",
time_modified: "1 year ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Tumbril's new Nova is a classic battlefield warrior, reimagined for the modern age. This heavy tank offers a devastating combination of weaponry to eliminate threats on the ground and in the air.",
url: "/pledge/ships/nova-tank/Nova",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "155",
afterburner_speed: null,
beam: "16.5",
cargocapacity: "12",
height: "10.0",
length: "38.5",
manufacturer_id: "12",
mass: "625330",
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "210",
size: "medium",
time_modified: "1 year ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Refuel. Repair. Rearm. Become a one-person support crew with Aegis Dynamics’ versatile Vulcan, supplying aid to pilots on the fly. Whether pinned down under heavy fire and in need of ammunition, low on quantum fuel after an ill-planned jump, or stranded in unknown space with a busted thruster, a pilot in distress can always count on a Vulcan and its cadre of drones to lend speedy, efficient assistance. \n\nOutfit your Vulcan with eye-catching livery and become a beacon of hope, even in the darkest, most treacherous corners of the ‘verse.",
url: "/pledge/ships/vulcan/Vulcan",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "159",
afterburner_speed: null,
beam: "11.0",
cargocapacity: "2",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "210",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Tour the universe with the perfect coupling of luxury and performance. The 100i features Origin Jumpworks' patented AIR fuel system, making it the most efficient and eco-friendly ship on the market. Capable of long distance flights that most ships of its size aren't equipped for, the 100i is perfect for solo pilots looking to turn heads without sacrificing functionality or reliability.",
url: "/pledge/ships/origin-100/100i",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "160",
afterburner_speed: null,
beam: "11.0",
cargocapacity: "2",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "230",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Risks were meant to be taken, but why risk running out of fuel in the heat of battle? With the AIR fuel system, a souped-up weapons package, and all the luxury and refinement you've come to expect from Origin Jumpworks, the 125a has been designed for the discerning maverick.",
url: "/pledge/ships/origin-100/125a",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "161",
afterburner_speed: null,
beam: "11.0",
cargocapacity: "6",
height: "4.0",
length: "19.3",
manufacturer_id: "6",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "190",
size: "small",
time_modified: "2 weeks ago",
type: "multi",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a deceptive amount of storage space in its sleek, stylish frame, and Origin's patented AIR fuel system, the 135c model is the obvious choice for musicians, couriers, and anyone trying to get the party started. Get it there fast, and look good while you're doing it.",
url: "/pledge/ships/origin-100/135c",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "162",
afterburner_speed: null,
beam: "70.0",
cargocapacity: "624",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "135",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Utilizing the patented Hercules military-grade spaceframe and expanding cargo capacity, while sacrificing barely any firepower, the C2 has taken the private sector by storm. It has become the industry standard for racing teams, ship dealers and manufacturers, construction orgs, mining corporations, and even large-scale touring entertainment outfits. ",
url: "/pledge/ships/crusader-starlifter/C2-Hercules",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "163",
afterburner_speed: null,
beam: "70.0",
cargocapacity: "468",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "3",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "130",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The M2 Hercules is the UEE's premier tactical starlifter. The ship's potent combination of capacity, maneuverability, and durability make it the obvious choice in large-scale transport, and a robust weapons package assures your cargo, and crew, gets to where they’re going in one piece.",
url: "/pledge/ships/crusader-starlifter/M2-Hercules",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "164",
afterburner_speed: null,
beam: "70.0",
cargocapacity: "234",
height: "23.0",
length: "94.0",
manufacturer_id: "68",
mass: null,
max_crew: "8",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "130",
size: "large",
time_modified: "1 year ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The A2 gunship has been used to devastating effect in airborne assaults, search and rescue operations, and landing initiatives. With more than double the firepower of the M2, and a custom bomb bay capable of delivering a staggering payload, the A2 caters to anyone hauling massive amounts of cargo through potentially unfriendly skies.",
url: "/pledge/ships/crusader-starlifter/A2-Hercules",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "165",
afterburner_speed: null,
beam: "16.0",
cargocapacity: "12",
height: "9.0",
length: "33.0",
manufacturer_id: "5",
mass: "114591",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "165",
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Answer to no one, cut out the middle man, and throw caution to the wind. Rip wrecks like a pro and carve out your own place in the great big empty behind the stick of this rough, rugged salvage machine from Drake Interplanetary. ",
url: "/pledge/ships/drake-vulture/Vulture",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "166",
afterburner_speed: null,
beam: "30.0",
cargocapacity: "28",
height: "10.0",
length: "43.0",
manufacturer_id: "1",
mass: "376500",
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "205",
size: "large",
time_modified: "10 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The legendary Apollo chassis from Roberts Space Industries is the gold standard in medevac and rapid emergency response, having provided critical aid to the known universe for well over two centuries.",
url: "/pledge/ships/rsi-apollo/Apollo-Triage",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "167",
afterburner_speed: null,
beam: "30.0",
cargocapacity: "28",
height: "10.0",
length: "43.0",
manufacturer_id: "1",
mass: "376500",
max_crew: "2",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "195",
size: "large",
time_modified: "10 months ago",
type: "support",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Along with superior armor and dual missile racks, the 2948 Apollo Medivac model pays homage to the classic 2910 film, Astromedics: Back from the Brink, with livery that accurately recreates the headlining Kithara. ",
url: "/pledge/ships/rsi-apollo/Apollo-Medivac",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "168",
afterburner_speed: "1050",
beam: "38.0",
cargocapacity: "96",
height: "11.6",
length: "40.0",
manufacturer_id: "68",
mass: null,
max_crew: "3",
min_crew: "2",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "215",
size: "medium",
time_modified: "10 months ago",
type: "transport",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Mercury checks all the boxes expected of a dependable courier vessel, and then some. If you need it there fast and unscathed, you can’t do better than the Mercury. Built with the same engineering and design principals that has made Crusader the go-to manufacturer for galactic transport on any scale, the star runner chassis sets new standards for data and cargo conveyance.",
url: "/pledge/ships/crusader-mercury-star-runner/Mercury-Star-Runner",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "169",
afterburner_speed: null,
beam: "28.0",
cargocapacity: null,
height: "9.5",
length: "38.0",
manufacturer_id: "3",
mass: null,
max_crew: "5",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "2 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "In the days of antiquity, the Valkyrie were believed to choose who would live and who would die on the field of war. Now, Anvil is putting that choice in your hands. Seize fate and turn the tide of battle.\n\nRugged, high-performance jump seats safely transport up to twenty personnel into and out of the fray. A vehicle bay and speed ramp efficiently launch ground-based transport or reconnaissance vehicles for unmatched support. Four powerful VTOL thrusters facilitate surgically precise take-offs and landings, while a devastating array of weaponry blurs the line between dropship and gunship.",
url: "/pledge/ships/anvil-valkyrie/Valkyrie",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "171",
afterburner_speed: null,
beam: "28.0",
cargocapacity: null,
height: "9.5",
length: "38.0",
manufacturer_id: "3",
mass: "75000",
max_crew: "5",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "For over a century, Anvil ships have distinguished themselves in countless civilian and military combat operations. Honor that proud tradition with the limited Liberator Edition Valkyrie, featuring an exclusive trim package commemorating the dropship's debut at CitizenCon 2948.",
url: "/pledge/ships/anvil-valkyrie/Valkyrie-Liberator-Edition",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "170",
afterburner_speed: null,
beam: "104.0",
cargocapacity: "3792",
height: "64.0",
length: "270.0",
manufacturer_id: "5",
mass: null,
max_crew: "10",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "capital",
time_modified: "2 years ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Kraken is a protector and a beacon of freedom in a too-often cruel universe. For those tasked with safekeeping Citizens unable to protect themselves, the Kraken is both a sanctuary and a self-contained war machine ready to take on the most daunting adversaries. Drake has thrown out the rule book to redefine private-use capital-class ships, attack carriers, and the very nature of personal freedom. It's nothing if not a testament to the empowerment of the people.",
url: "/pledge/ships/drake-kraken/Kraken",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "175",
afterburner_speed: null,
beam: "104.0",
cargocapacity: "768",
height: "64.0",
length: "270.0",
manufacturer_id: "5",
mass: null,
max_crew: "10",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "capital",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The Kraken is a protector and a beacon of freedom in a too-often cruel universe. For those tasked with safekeeping Citizens unable to protect themselves, the Kraken is both a sanctuary and a self-contained war machine ready to take on the most daunting adversaries. Drake has thrown out the rule book to redefine private-use capital-class ships, attack carriers, and the very nature of personal freedom. It's nothing if not a testament to the empowerment of the people.",
url: "/pledge/ships/drake-kraken/Kraken-Privateer",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "173",
afterburner_speed: null,
beam: "12.0",
cargocapacity: "0",
height: "4.0",
length: "16.0",
manufacturer_id: "3",
mass: "30752",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "270",
size: "small",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Meet Anvil's ‘light fighter of the future’. Featuring an ultra-aerodynamic frame, slight profile, and the most advanced manoeuvring thruster tech available, it’s the most agile ship in its class. It can also hold its own in a knock-down-drag-out thanks to a generous standard weapons package that includes quad missile racks and a full complement of countermeasures. The Arrow is designed specifically to leave would-be interlopers thoroughly bewildered. After all, how can they kill what they can't catch?",
url: "/pledge/ships/anvil-arrow/Arrow",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "174",
afterburner_speed: null,
beam: "23.0",
cargocapacity: "0",
height: "10.0",
length: "24.0",
manufacturer_id: "81",
mass: "106566",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "265",
size: "medium",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Harnessing the power of next-generation Xi'an flight systems, upgraded dual-vector thrusters, and a daunting weapons package, Aopoa has crafted a fighter that retains the nimble dexterity and tight handling the brand is known for. All with the added ability to pack a serious wallop when the situation calls for it. Welcome to the future of spaceflight, courtesy of the Xi'an Empire and Aopoa.",
url: "/pledge/ships/aopoa-santokyai/Santoky-i",
manufacturer: {
id: "81",
code: "AOPOA",
description: null,
known_for: null,
name: "Aopoa",
media: null
}
},
{
id: "176",
afterburner_speed: null,
beam: "19.5",
cargocapacity: "10",
height: "8.7",
length: "28.5",
manufacturer_id: "73",
mass: "231680",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "200",
size: "small",
time_modified: "1 year ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "When it comes to getting the job done, ARGO doesn’t mess around. From simple freight and cargo towing to harrowing search-and-rescue operations, the SRV handles whatever you can throw at it. The bespoke tractor system utilizes an innovative plate and arm combination, allowing for effortless solo use as well as precision team towing for bigger jobs. Your crew and passengers stay safe too thanks to durable shields and heavy-duty armor that keep the cockpit and components secure when the situation gets hairy.",
url: "/pledge/ships/argo-srv/SRV",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "178",
afterburner_speed: null,
beam: "27.0",
cargocapacity: "72",
height: "31.0",
length: "55.0",
manufacturer_id: "5",
mass: null,
max_crew: "4",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "large",
time_modified: "10 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Heed the call of uncharted space and harness the spirit of exploration with the Drake Corsair, a worthy companion, supporting you in battle, discovery, and delivery, wherever the winds of adventure may steer you. ",
url: "/pledge/ships/drake-corsair/Corsair",
manufacturer: {
id: "5",
code: "DRAK",
description: "Ostensibly a legitimate company, it’s an open secret that they manufacture cheap, well-armed craft favored by pirates, to the point that they’re named in that vein: “Cutlass,” “Buccaneer,” “Privateer,” and “Marauder,” etc.",
known_for: "the Cutlass and the Caterpillar",
name: "Drake Interplanetary",
media: null
}
},
{
id: "180",
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "4 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a streamlined frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. Put the hammer down and pump up the adrenaline with the Ranger RC, tuned for maximum speed and response with advanced propulsion and chassis technology. ",
url: "/pledge/ships/tumbril-ranger/Ranger-RC",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "181",
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a powerful frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. But adventure doesn't always go to plan, so the Ranger TR comes equipped with dual weapon mounts to make sure you're more than covered.",
url: "/pledge/ships/tumbril-ranger/Ranger-TR",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "182",
afterburner_speed: null,
beam: "2.0",
cargocapacity: "0",
height: "2.0",
length: "3.7",
manufacturer_id: "83",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "4 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With a powerful frame, proprietary X-TEC adaptive tread tires, and Reactive Response precision steering and braking, the Tumbril Ranger lets you embrace the renegade spirit of the open road while staying thoroughly grounded. Born to tame the wild frontier, the Ranger CV takes adventure touring to the next level and delivers the goods with an auxiliary fuel tank and custom 0.375 SCU pannier. ",
url: "/pledge/ships/tumbril-ranger/Ranger-CV",
manufacturer: {
id: "83",
code: "TMBL",
description: null,
known_for: "The Cyclone",
name: "Tumbril",
media: null
}
},
{
id: "183",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "184",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Snowblind",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "185",
afterburner_speed: null,
beam: "7.0",
cargocapacity: "0",
height: "5.5",
length: "17.0",
manufacturer_id: "3",
mass: null,
max_crew: "2",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "33",
size: "vehicle",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: null,
url: "/pledge/ships/anvil-ballista/Anvil-Ballista-Dunestalker",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "186",
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. ",
url: "/pledge/ships/aegis-nautilus/Nautilus",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "187",
afterburner_speed: null,
beam: "72.0",
cargocapacity: "64",
height: "21.6",
length: "125.0",
manufacturer_id: "12",
mass: "13526320",
max_crew: "8",
min_crew: "4",
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "115",
size: "large",
time_modified: "1 year ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "With four centuries of distinguished service under its belt, The Aegis Dynamics Nautilus tactical minelayer represents the ultimate in strategic combat engineering, with fully-integrated mine-deployment, sweeping and disarming capabilities. This limited edition Solstice model is exclusive to members of the Chairman’s Club and includes sequential serial numbering according to production order.",
url: "/pledge/ships/aegis-nautilus/Nautilus-Solstice-Edition",
manufacturer: {
id: "12",
code: "AEGS",
description: null,
known_for: "the Avenger and Idris Frigate",
name: "Aegis Dynamics",
media: null
}
},
{
id: "189",
afterburner_speed: "1220",
beam: "17.0",
cargocapacity: "0",
height: "8.0",
length: "30.0",
manufacturer_id: "1",
mass: "225621",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "168",
size: "small",
time_modified: "3 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stop ships dead in their tracks with RSI’s premier Quantum Enforcement ship. The Mantis features a tailor-made Quantum Enforcement Device from Wei-Tek, capable of ripping ships out of QT with its Quantum Snare and preventing hasty escapes with its Quantum Dampener.",
url: "/pledge/ships/rsi-mantis/Mantis",
manufacturer: {
id: "1",
code: "RSI",
description: "The original creators of the engine that kickstarted humanity’s expansion into space, Roberts Space Industries build a wide range of spaceships that serve all needs starting at basic interstellar travel to deep exploration on the outer edges of the galaxy. The tagline is “Roberts Space Industries: Delivering the Stars since 2075”",
known_for: "the Aurora and the Constellation",
name: "Roberts Space Industries",
media: null
}
},
{
id: "191",
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "12.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Designed specifically for the Anvil Carrack, this snub ship is the perfect scout, landing craft, and support vessel for the iconic explorer. Despite its size, it’s capable of going it alone too thanks to a quantum drive, class-leading shields, and ability to equip a jump module.",
url: "/pledge/ships/anvil-pisces/C8-Pisces",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "192",
afterburner_speed: null,
beam: "10.0",
cargocapacity: "4",
height: "3.2",
length: "13.0",
manufacturer_id: "3",
mass: null,
max_crew: "3",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: "140",
size: "small",
time_modified: "3 months ago",
type: "exploration",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Additional firepower turns the base Pisces into a highly capable mini-explorer. Ideal for inter-system travel or investigating tight spots inaccessible to larger ships, it’s a small ship ready for big adventures. ",
url: "/pledge/ships/anvil-pisces/C8X-Pisces-Expedition",
manufacturer: {
id: "3",
code: "ANVL",
description: "Produces dogfighters, but with less of the pirate stigma. These ships are more expensive, less spit-and-glue",
known_for: "the Hornet Fighters",
name: "Anvil Aerospace",
media: null
}
},
{
id: "198",
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "11 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Whether heading up a crew or hunting big ships solo, the Ares Inferno is a force to be reckoned with. This ballistic Gatling-equipped variant tears through gunship armor and turns smaller fighters to dust in seconds.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Inferno",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "200",
afterburner_speed: null,
beam: "30.2",
cargocapacity: "0",
height: "5.5",
length: "27.2",
manufacturer_id: "68",
mass: null,
max_crew: "1",
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: null,
size: "small",
time_modified: "10 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Spark fear in the corridors of the most formidable gunships and frigates with the Ares Ion. This laser-equipped variant delivers extremely powerful shots to quickly disable the shields of even the biggest enemy vessels.",
url: "/pledge/ships/crusader-ares/Crusader-Ares-Ion",
manufacturer: {
id: "68",
code: "CRSD",
description: null,
known_for: "Genesis Starliner",
name: "Crusader Industries",
media: null
}
},
{
id: "201",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "15.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "202",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Carbon-Edition",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "203",
afterburner_speed: null,
beam: "25.0",
cargocapacity: "96",
height: "8.0",
length: "45.0",
manufacturer_id: "73",
mass: null,
max_crew: "4",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "medium",
time_modified: "3 months ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "ARGO’s pragmatic no-nonsense approach to ship design is celebrated in the unmistakable silhouette of the MOLE. Just one look at this machine and you know it means business. Tap into your full potential with the combined force of ARGO’s patented trilateral mining system. The MOLE has a total of 24 mineral pods, each holding 12 SCU. Eight pods are usable at one time – when they’re full, either head home or jettison them for collection by another vessel and carry on mining. Three independently controlled articulated extraction stations allow for maximum power and near-limitless versatility. The MOLE lives by the adage ’many hands make for light work’.",
url: "/pledge/ships/argo-mole/Argo-Mole-Talus-Edition",
manufacturer: {
id: "73",
code: "ARGO",
description: null,
known_for: null,
name: "ARGO Astronautics",
media: null
}
},
{
id: "208",
afterburner_speed: null,
beam: "5.8",
cargocapacity: "2",
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "50",
size: null,
time_modified: "6 months ago",
type: "ground",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Trek to the edge of the galaxy with confidence thanks to Origin’s trademark build quality and design. Built with the most extreme environments in mind, the G12 suits all types of planetary travel, from traversing tundras to sightseeing.",
url: "/pledge/ships/origin-g12/Origin-G12",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "209",
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "55",
size: "vehicle",
time_modified: "4 months ago",
type: "competition",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "Stripped back and meticulously engineering for performance, Origin has taken everything learned from preparing the 350r and M50 ships for competition and added it to the ubiquitous ground racer. Lighter, faster, and with a built-in EMP for protection, it’s ready for anything the outlands can throw at it.",
url: "/pledge/ships/origin-g12/Origin-G12r",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "210",
afterburner_speed: null,
beam: "5.8",
cargocapacity: null,
height: "2.7",
length: "7.2",
manufacturer_id: "6",
mass: null,
max_crew: null,
min_crew: null,
pitch_max: null,
production_note: null,
production_status: "in-concept",
roll_max: null,
scm_speed: "45",
size: "vehicle",
time_modified: "6 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "The G12a combines military might with Origin’s unique approach to high-end engineering. Designed for all offensive ground-based operations, it’s the ideal partner for long-range perimeter patrols, intercepting assailants, and exploring dangerous new locales.",
url: "/pledge/ships/origin-g12/Origin-G12a",
manufacturer: {
id: "6",
code: "ORIG",
description: "The BMW of the Star Citizen universe. Their craft are more expensive, sleeker looking status symbols, maybe more so than they’re worth? They get numbers instead of names: “Origin 300i,”\"Origin 890 Jump,” “Origin M50 Turbo,” etc.",
known_for: "the 300i series",
name: "Origin Jumpworks GmbH",
media: null
}
},
{
id: "211",
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon",
manufacturer: {
id: "69",
code: "ESPR",
description: "Esperia is a human company specialized in creating Vanduul ship reproductions for war-time simulations. ",
known_for: null,
name: "Esperia",
media: null
}
},
{
id: "212",
afterburner_speed: null,
beam: "18.0",
cargocapacity: "0",
height: "5.0",
length: "20.0",
manufacturer_id: "69",
mass: "28000",
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "in-production",
roll_max: null,
scm_speed: "250",
size: "small",
time_modified: "2 months ago",
type: "combat",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "This ship is a recreation of the Tevarin Talon by Esperia. The Talon is the Tevarin equivalent to the Aegis Gladius or Vanduul Blade; a single-seat combat ship. The Talon is the perfect example of the Tevarin way of building a spaceship: maneuverable with powerful, directional 'Phalanx' shields but weak physical armour, as the Tevarin way of war was to strike first and strike hard, before using their Phalanx shields to cover their escape.\n<br /><br />\nLearn more at <a href=\"https://robertsspaceindustries.com/talon\" style=\"color:#00deff;\"> https://robertsspaceindustries.com/talon </a>",
url: "/pledge/ships/talon/Esperia-Talon-Shrike",
manufacturer: {
id: "69",
code: "ESPR",
description: "Esperia is a human company specialized in creating Vanduul ship reproductions for war-time simulations. ",
known_for: null,
name: "Esperia",
media: null
}
},
{
id: "214",
afterburner_speed: null,
beam: "3.8",
cargocapacity: "1",
height: "3.1",
length: "5.1",
manufacturer_id: "17",
mass: null,
max_crew: "1",
min_crew: "1",
pitch_max: null,
production_note: null,
production_status: "flight-ready",
roll_max: null,
scm_speed: null,
size: "vehicle",
time_modified: "1 month ago",
type: "industrial",
xaxis_acceleration: null,
yaw_max: null,
yaxis_acceleration: null,
zaxis_acceleration: null,
description: "At Greycat, we understand that mining isn't a one-size-fits-all operation, so we designed the ROC to be as hard-working and versatile as the miners who use it. Small enough to access hard-to-reach ore deposits, but with enough power to get through the tough jobs, the ROC perfectly complements any mining enterprise. It's perfectly at home supporting full-scale operations, and a first-rate starter vehicle for fledgling diggers. Whatever the task, with Greycat, you have the right tool for the job. ",
url: "/pledge/ships/roc/ROC",
manufacturer: {
id: "17",
code: "GRIN",
description: null,
known_for: null,
name: "Greycat Industrial",
media: null
}
}
]
|
/**
* @Copyright (c) 2019-present, Zabo & Modular, Inc. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
'use strict'
const utils = require('../utils')
const { SDKError } = require('../err')
/**
* @typedef {{
* ticker?: String
* name?: String
* type?: String
* priority?: Number
* logo?: String
* decimals?: Number
* supporting_providers?: [String]
* address?: String
* resource_type?: String
* }} Currency
*
* @typedef {{
* from?: String
* to?: String
* rate?: String
* timestamp?: Number
* resource_type?: String
* }} ExchangeRate
*
* @typedef {{
* data?: [Currency]
* request_id?: String
* }} GetListCurrenciesResp
*
* @typedef {{
* request_id?: String
* } & Currency} GetOneCurrencyResp
*
* @typedef {{
* data?: [ExchangeRate]
* request_id?: String
* }} GetExchangeRatesResp
*/
/**
* Currencies API.
*/
class Currencies {
constructor (api) {
/** @private */
this.api = api
}
/**
* This endpoint will return the full list of currencies available in the system.
* Use the providers endpoint to see the currencies supported by each provider.
* @param {{
* limit?: Number
* cursor?: String
* }} param0 Request parameters.
* @returns {Promise<GetListCurrenciesResp>} API response.
*/
async getList ({ limit = 25, cursor = '' } = {}) {
utils.validateListParameters(limit)
try {
return this.api.request('GET', `/currencies?limit=${limit}&cursor=${cursor}`)
} catch (err) {
throw new SDKError(err.error_type, err.message, err.request_id)
}
}
/**
* This endpoint provides information about a specific currency.
* @param {String} ticker Identifier for this currency or asset.
* @returns {Promise<GetOneCurrencyResp>} API response.
*/
async getOne (ticker) {
if (!ticker) {
throw new SDKError(400, '[Zabo] Missing `ticker` input. See: https://zabo.com/docs#get-specific-currency')
}
try {
return this.api.request('GET', `/currencies/${ticker}`)
} catch (err) {
throw new SDKError(err.error_type, err.message, err.request_id)
}
}
/**
* This function returns a list of exchange rates for the available cryptocurrencies/assets
* for a given fiat currency. Currently, USD is the only fiat currency available.
* Any supported assets can be used for the tickers parameter. This parameter is optional
* and, if left out, all supported cryptocurrencies/assets will be returned.
* @param {{
* toCrypto?: Boolean
* limit?: Number
* cursor?: String
* tickers?: Array<String> | String
* }} param0 Request parameters.
* @returns {Promise<GetExchangeRatesResp>} API response.
*/
async getExchangeRates ({ toCrypto = false, limit = 25, cursor = '', tickers = '' } = {}) {
utils.validateListParameters(limit)
let url = `/exchange-rates?to_crypto=${!!toCrypto}&limit=${limit}&cursor=${cursor}`
if (tickers) {
if (Array.isArray(tickers)) {
tickers = tickers.join(',')
}
url = `${url}&tickers=${tickers}`
}
return this.api.request('GET', url)
}
}
/**
* @typedef {Currencies} CurrenciesAPI
* @type {(api) => CurrenciesAPI}
*/
module.exports = (api) => {
return new Currencies(api)
}
|
import RulesToggleSwitch from './RulesToggleSwitch';
export default RulesToggleSwitch;
|
import React from "react";
import { Button, List, Span, Paragraf, Item, Phone, Trash } from "./ContactList.styled";
import { Loaders } from "../Loader/Loader";
import { Icon } from "../Icon/Icon";
const ContactList = ({contacts, onDelete, deleting }) => {
return (
<>
<Item>
{contacts.map(({id, name, number}) => (
<List key={id}>
<Phone size={Icon.small} />
<Paragraf>
{name}: <Span>{number}</Span>
</Paragraf>
<Button type="button" onClick={() => onDelete(id)} disabled={deleting}>{deleting && <Loaders />}
<Trash size={Icon.small} />
Delete
</Button>
</List>
))}
</Item>
</>
)
};
export default ContactList;
|
module.exports = {
port: 3010,
session: {
resave: true,
// saveUninitialized: false,
secret: 'myblog',
name: 'myblog',
maxAge: 2592000000
},
mongodb: 'mongodb://localhost:27017/blog'
};
|
function DatabaseConnection() {
this._url = 1;
this._MongoClient = 2;
this.setup()
}
DatabaseConnection.prototype.setup = function() {
var MongoClient = require('mongodb').MongoClient;
var url = "mongodb://localhost:27017/";
this._url = url;
this._MongoClient = MongoClient;
this._res = [];
}
DatabaseConnection.prototype.add = function(name, desc, price, dates, link) {
this._MongoClient.connect(this._url, function(err, db) {
if (err) throw err;
var dbo = db.db("mydb");
var myobj = { name: name, desc: desc, price: price, dates: dates, photo: link };
dbo.collection("properties").insertOne(myobj, function(err, res) {
if (err) throw err;
console.log("1 row inserted");
db.close();
});
});
}
module.exports = DatabaseConnection
|
function smoothScroll(duration){
$('a[href^="#"]').on('click', function(event){
var $this = $(this);
//animate the auto scroll on nav link click
var target = $( $this.attr('href') );
if(target.length){
event.preventDefault();
$(html_body).animate({
scrollTop: target.offset().top
}, duration);
}
});
}
function scrollUpdateActiveClass(windowScroll){
$(nav_links).each(function () {
var currLink = $(this);
var refElement = $(currLink.attr("href"));
if (refElement.position().top -150 <= windowScroll && refElement.position().top + refElement.height() > windowScroll ) {//-150 to accomodate for the pseudo class anchor-offset used for the nav bar height compensation
$(nav_list_item).removeClass("active");
currLink.parent().addClass("active");
currLink.focus();
}
else{
currLink.parent().removeClass("active");
currLink.blur();
}
});
}
function fadeInText(idTag, textToAnimate, textAnimateDuration, fadeSpeed){
//based on http://jsfiddle.net/bGsa3/159/
//function parameters
//var textAnimateDuration = how much time the text will animate for
//var fadeSpeed = how much time to fade each letter
var arrayOfLetterSpans = jQuery.map(
textToAnimate.split(''),//debugtextToAnimate.split(''),//debug
function (letter) {
return $('<span>' + letter + '</span>');
}
);
var destination = $( '#' + idTag);
var counter = 0;
var i = setInterval(
function () {
arrayOfLetterSpans[counter].appendTo(destination).hide().fadeIn(fadeSpeed);
counter += 1;
if (counter >= arrayOfLetterSpans.length)
{
clearInterval(i);
}
}, textAnimateDuration
);
}//end of fadeInText function
function saveAndDeleteText( idTag ){
var object = $( '#' + idTag );
var string = object.html();
object.empty();
return string;
}//end of fadeInText function
//--------------------------
//disable/enable scrolling
//--------------------------
//http://stackoverflow.com/questions/4770025/how-to-disable-scrolling-temporarily
// left: 37, up: 38, right: 39, down: 40,
// spacebar: 32, pageup: 33, pagedown: 34, end: 35, home: 36
var keys = {37: 1, 38: 1, 39: 1, 40: 1};
function preventDefault(e) {
e = e || window.event;
if (e.preventDefault)
e.preventDefault();
e.returnValue = false;
}
function preventDefaultForScrollKeys(e) {
if (keys[e.keyCode]) {
preventDefault(e);
return false;
}
}
function disableScroll() {
if (window.addEventListener) // older FF
window.addEventListener('DOMMouseScroll', preventDefault, false);
window.onwheel = preventDefault; // modern standard
window.onmousewheel = document.onmousewheel = preventDefault; // older browsers, IE
window.ontouchmove = preventDefault; // mobile
document.onkeydown = preventDefaultForScrollKeys;
}
function enableScroll() {
if (window.removeEventListener)
window.removeEventListener('DOMMouseScroll', preventDefault, false);
window.onmousewheel = document.onmousewheel = null;
window.onwheel = null;
window.ontouchmove = null;
document.onkeydown = null;
}
|
import ProductCard from "./ProductCard";
function Bakery() {
return (
<div className="row">
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/142/c3ab9f94c08149c38a14ff2b83199577.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/145/5566fc884e834a6caa6cb4801a48789a.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/147/292f115c34e743a0a363e6f11db8a65e.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/149/4e17155356964b3992a414d47a0f8bbf.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/151/9ba8c2ddbd8347528907100cc7e8d303.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/159/7e1e312e649542ca9819a7425508ec9b.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/162/9f36083165a84b33ba508e24941e11ec.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
<ProductCard img = "https://jagdishfarshan.com/Upload/Product/167/51de847fb8c34a8c92965906842a2c6e.jpg" name="Lilo Chevdo" price="₹ 210.00 / 500gm"/>
</div>
);
}
export default Bakery;
;
|
var ws, connected = false, roboState = false, light = false;
function start(websocketServerLocation) {
ws = new WebSocket(websocketServerLocation);
ws.onopen = function() {
connected = true;
console.log("Connected");
};
ws.onmessage = function(evt) {
};
ws.onclose = function() {
connected = false;
console.log("Connection is closed");
setTimeout(function() {
start(websocketServerLocation);
}, 10);
};
}
start('ws://' + location.hostname + ':81/', [ 'arduino' ]);
window.oncontextmenu = function(event) {
event.preventDefault();
event.stopPropagation();
return false;
};
document.body.addEventListener('touchmove', function(event) {
event.preventDefault();
}, false);
document.getElementById("UpStart").addEventListener("touchstart",
function(evt) {
UpStart(1);
}, false);
document.getElementById("UpStart").addEventListener("touchend", function(evt) {
UpStart(0);
}, false);
document.getElementById("DownStart").addEventListener("touchstart",
function(evt) {
DownStart(1);
}, false);
document.getElementById("DownStart").addEventListener("touchend",
function(evt) {
DownStart(0);
}, false);
document.getElementById("LeftStart").addEventListener("touchstart",
function(evt) {
LeftStart(1);
}, false);
document.getElementById("LeftStart").addEventListener("touchend",
function(evt) {
LeftStart(0);
}, false);
document.getElementById("RightStart").addEventListener("touchstart",
function(evt) {
RightStart(1);
}, false);
document.getElementById("RightStart").addEventListener("touchend",
function(evt) {
RightStart(0);
}, false);
document.getElementById("TransformStart").addEventListener("click",
function(evt) {
if (connected) {
var state = roboState ? "D" : "U";
ws.send("ROBUP" + state);
roboState = ~roboState;
}
}, false);
document.getElementById("LightStart").addEventListener("click",
function(evt) {
if (connected) {
var state = light ? "0" : "1";
ws.send("LIGHT" + state);
light = ~light;
}
}, false);
function UpStart(state) {
if (connected) {
ws.send("UPSTA" + state);
}
}
function DownStart(state) {
if (connected) {
ws.send("DOSTA" + state);
}
}
function LeftStart(state) {
if (connected) {
ws.send("LESTA" + state);
}
}
function RightStart(state) {
if (connected) {
ws.send("RISTA" + state);
}
}
|
import React from 'react'
import tw from 'twin.macro'
// import { css } from 'styled-components/macro' //eslint-disable-line
import AnimationRevealPage from 'helpers/AnimationRevealPage.js'
import Hero from 'components/hero/TwoColumnWithInput.js'
// import Features from 'components/features/ThreeColWithSideImage.js'
// import MainFeature from 'components/features/TwoColWithButton.js'
// import MainFeature2 from 'components/features/TwoColWithTwoHorizontalFeaturesAndButton.js'
// import FeatureWithSteps from 'components/features/TwoColWithSteps.js'
// import Pricing from 'components/pricing/ThreePlans.js'
// import Testimonial from 'components/testimonials/TwoColumnWithImageAndRating.js'
// import FAQ from 'components/faqs/SingleCol.js'
// import GetStarted from 'components/cta/GetStarted'
import Footer from 'components/footers/SimpleFiveColumn.js'
// import heroScreenshotImageSrc from 'images/hero-screenshot-1.png'
// import macHeroScreenshotImageSrc from 'images/hero-screenshot-2.png'
// import prototypeIllustrationImageSrc from 'images/prototype-illustration.svg'
// import { ReactComponent as BriefcaseIcon } from 'feather-icons/dist/icons/briefcase.svg'
// import { ReactComponent as MoneyIcon } from 'feather-icons/dist/icons/dollar-sign.svg'
import BillingRegionFinder from './../components/buregionfinder/BillingRegionFinder'
export default () => {
const Subheading = tw.span`uppercase tracking-widest font-bold text-primary-500`
const HighlightedText = tw.span`text-primary-500`
return (
<AnimationRevealPage disabled>
<Hero roundedHeaderButton={true} />
<BillingRegionFinder />
<Footer />
</AnimationRevealPage>
)
}
|
function Controller() {
require("alloy/controllers/BaseController").apply(this, Array.prototype.slice.call(arguments));
this.__controllerPath = "Notifications/NotificationRow";
arguments[0] ? arguments[0]["__parentSymbol"] : null;
arguments[0] ? arguments[0]["$model"] : null;
arguments[0] ? arguments[0]["__itemTemplate"] : null;
var $ = this;
var exports = {};
$.__views.row = Ti.UI.createView({
backgroundColor: "white",
height: Ti.UI.SIZE,
id: "row"
});
$.__views.row && $.addTopLevelView($.__views.row);
$.__views.__alloyId176 = Ti.UI.createView({
height: Ti.UI.SIZE,
left: 0,
right: 32,
layout: "vertical",
id: "__alloyId176"
});
$.__views.row.add($.__views.__alloyId176);
$.__views.oggroup = Ti.UI.createLabel({
color: "#262626",
font: {
fontSize: 14
},
textAlign: "left",
left: 15,
top: 4,
id: "oggroup"
});
$.__views.__alloyId176.add($.__views.oggroup);
$.__views.nmtimestamp = Ti.UI.createLabel({
color: "#888",
font: {
fontSize: 10,
fontWeight: "bold"
},
textAlign: "left",
left: 15,
top: 1,
id: "nmtimestamp"
});
$.__views.__alloyId176.add($.__views.nmtimestamp);
$.__views.message = Ti.UI.createLabel({
color: "#191849",
font: {
fontSize: 15
},
textAlign: "left",
left: 15,
top: 7,
id: "message"
});
$.__views.__alloyId176.add($.__views.message);
$.__views.__alloyId177 = Ti.UI.createView({
height: 10,
id: "__alloyId177"
});
$.__views.__alloyId176.add($.__views.__alloyId177);
$.__views.arr = Ti.UI.createImageView({
image: "/images/ic_forward.png",
right: 0,
width: 36,
height: 36,
id: "arr"
});
$.__views.row.add($.__views.arr);
$.__views.__alloyId178 = Ti.UI.createView({
backgroundColor: "#C0C6D0",
width: Ti.UI.FILL,
height: 1,
top: null,
bottom: 0,
id: "__alloyId178"
});
$.__views.row.add($.__views.__alloyId178);
exports.destroy = function() {};
_.extend($, $.__views);
require("/core");
var args = arguments[0] || {};
$.oggroup.text = args.oggroup;
$.nmtimestamp.text = args.nmtimestamp;
$.message.text = args.message;
$.row.data = args.data;
_.extend($, exports);
}
var Alloy = require("alloy"), Backbone = Alloy.Backbone, _ = Alloy._;
module.exports = Controller;
|
import Phaser from 'phaser'
import GameState from './states/BasicFixedGravity'
class Game extends Phaser.Game {
constructor (width, height, gameToRun) {
super(width, height, Phaser.CANVAS, 'content', null)
this.state.add(gameToRun, GameState, false)
this.state.start(gameToRun)
}
}
window.game = new Game(400, 400, 'BasicFixedGravity')
|
//API接口地址
const host = 'https://ccapi.wtvxin.com/api/';
const filePath = 'https://cc.wtvxin.com';
function formatNumber(n) {
const str = n.toString()
return str[1] ? str : `0${str}`
}
export function formatTime(date) {
const year = date.getFullYear()
const month = date.getMonth() + 1
const day = date.getDate()
const hour = date.getHours()
const minute = date.getMinutes()
const second = date.getSeconds()
const t1 = [year, month, day].map(formatNumber).join('/')
const t2 = [hour, minute, second].map(formatNumber).join(':')
return `${t1} ${t2}`
}
export function getCurrentPageUrlWithArgs(changeJson) {
// console.log(changeJson, "changeJson")
const pages = getCurrentPages()
const currentPage = pages[pages.length - 1]
const url = currentPage.route
let options = currentPage.options;
if (changeJson) {
options = Object.assign({}, options, changeJson);
console.log(options, "options")
}
let urlWithArgs = `/${url}?`
for (let key in options) {
const value = options[key]
urlWithArgs += `${key}=${value}&`
}
urlWithArgs = urlWithArgs.substring(0, urlWithArgs.length - 1);
return urlWithArgs
}
//请求封装
function request(url, method, data, curPage, header = {}) {
wx.showLoading({
title: '加载中' //数据请求前loading
})
return new Promise((resolve, reject) => {
// debugger;
wx.request({
url: host + url, //仅为示例,并非真实的接口地址
method: method,
data: data,
header: {
'content-type': 'application/json' // 默认值
},
success: function(res) {
setTimeout(function() {
wx.hideLoading()
}, 800);
// wx.hideLoading();
if (res.data.code === 0) {
resolve(res.data);
} else if (res.data.code === 2) {
wx.showToast({
title: '需要重新登录!',
icon: 'none',
duration: 1500
})
setTimeout(() => {
wx.redirectTo({
url: '/pages/loginWay/main?askUrl=' + curPage
})
}, 1500);
} else {
resolve(res.data);
// wx.showToast({
// title: res.data.msg + '!',
// icon: 'none',
// duration: 1500
// })
}
},
fail: function(error) {
wx.hideLoading();
wx.showToast({
title: error + ',请刷新页面重试!',
icon: 'none',
duration: 1500
})
reject(false);
},
complete: function() {
setTimeout(function() {
wx.hideLoading()
}, 1500)
}
})
})
}
export function get(url, data, curpage) { //curpage:是传进来的当前地址在没有登录的时候,把这个参数传到登录哪里,如果登录了就跳回curpage
return request(url, 'GET', data, curpage)
}
export function post(url, data, curpage) {
return request(url, 'POST', data, curpage)
}
//提供全局方法,维护和判断accessToken
export function toLogin(objUrl) { //identity: 1:客服;2:客户;3:师傅
const userId = wx.getStorageSync('userId');
const token = wx.getStorageSync('token');
if (userId && token) {
return true;
} else {
wx.setStorageSync('askUrl', '');
if (objUrl) {
let gotoUrl = objUrl.replace(/\?/g, '%3F').replace(/\=/g, '%3D').replace(/\&/g, '%26');
wx.redirectTo({
url: "/pages/loginWay/main?askUrl=" + gotoUrl
});
} else {
wx.redirectTo({
url: "/pages/loginWay/main"
});
}
return false;
}
}
//验证手机号
export function valPhone(tel) {
var r_phone = /^[1][3,4,5,6,7,8][0-9]{9}$/;
// var phoneNumber = $.trim($('#phoneNumber').val());
if (trim(tel) == "") {
wx.showToast({
title: "手机号不能为空!",
icon: "none",
duration: 2000
});
return false;
}
if (!r_phone.test(tel)) {
wx.showToast({
title: "请输入正确的手机格式!",
icon: "none",
duration: 1500
});
return false;
}
return true;
}
// 预览图片
/**
*
* @param {String} index 当前索引
* @param {Array} picArr 图片的http链接的数组
*/
export function previewImage(index, picArr) {
wx.previewImage({
current: picArr[index], // 当前显示图片的http链接
urls: picArr
})
}
function wx_login(code, iv, encryptedData) {
wx.showLoading({
title: '加载中' //数据请求前loading
})
wx.request({
url: host + 'Login/SignIn_New', //仅为示例,并非真实的接口地址
method: "POST",
data: {
code,
iv,
encryptedData
},
header: {
'content-type': 'application/json' // 默认值
},
success: function(res) {
wx.setStorageSync("openId", res.data.data.openId);
wx.setStorageSync("unionid", res.data.data.unionid);
wx.hideLoading();
console.log(res.data.meta, "res.meta.meta++++++++++++++++++++++++++++++++")
if (res.data.meta.code === 0) {
wx.setStorageSync("openId", "");
wx.setStorageSync("unionid", "");
wx.setStorageSync("userId", res.data.meta.dic.UserId);
wx.setStorageSync("token", res.data.meta.dic.Token);
let askUrl = wx.getStorageSync("askUrl");
if (askUrl !== "undefined" && askUrl) {
askUrl = askUrl.toString().replace(/\%3F/g, '?').replace(/\%3D/g, '=').replace(/\%26/g, '&');
}
wx.showToast({
title: "登录成功!",
icon: 'success',
duration: 1500,
success: function() {
if (askUrl !== "undefined" && askUrl) {
// let .toString().replace(/\%3F/g, '?').replace(/\%3D/g, '=').replace(/\%26/g, '&')
setTimeout(function() {
if (askUrl.indexOf("/my/") > -1) {
wx.switchTab({
url: '/pages/my/main'
})
} else if (askUrl.indexOf("/index/") > -1) {
wx.switchTab({
url: '/pages/index/main'
})
} else if (askUrl.indexOf("/newsletter/") > -1) {
wx.switchTab({
url: '/pages/newsletter/main'
})
} else if (askUrl.indexOf("/publish/") > -1) {
wx.switchTab({
url: '/pages/publish/main'
})
} else if (askUrl.indexOf("/message/") > -1) {
wx.switchTab({
url: '/pages/message/main'
})
} else {
wx.redirectTo({
url: wx.getStorageSync("askUrl")
});
}
wx.setStorageSync("askUrl", "");
}, 1500);
} else {
setTimeout(function() {
wx.switchTab({
url: '/pages/my/main'
})
}, 1500);
}
}
})
// setTimeout(() => {
// // wx.navigateBack();
// }, 1500);
} else if (res.data.meta.code === 2) {
let inviteCode = wx.getStorageSync("inviteCode");
console.log("}}}}}}}验证码",inviteCode)
wx.showToast({
title: res.data.meta.message + '!',
icon: 'none',
duration: 1500
})
if(inviteCode !=='undefined' && inviteCode){
console.log("{{{{{{验证码",inviteCode)
setTimeout(() => {
wx.redirectTo({
url: '/pages/bindTel/main?inviteCode='+inviteCode
})
}, 1500);
}else{
setTimeout(() => {
wx.redirectTo({
url: '/pages/bindTel/main'
})
}, 1500);
}
} else {
wx.showToast({
title: res.data.meta.msg + '!',
icon: 'none',
duration: 1500
})
}
},
fail: function(error) {
wx.hideLoading();
wx.showToast({
title: error + ',请刷新页面重试!',
icon: 'none',
duration: 1500
})
},
complete: function() {
// wx.hideLoading();
}
})
}
//微信直接登录
export function Login() {
wx.login({
success(res) {
console.log(res);
if (res.code) {
wx.getUserInfo({
success(res2) {
console.log(res2);
wx.setStorageSync("userInfo", {
"nickName": res2.userInfo.nickName,
"avatarUrl": res2.userInfo.avatarUrl
});
wx_login(res.code, res2.iv, res2.encryptedData);
},
fail() {
wx.showToast({
title: '授权失败,请重新执行!',
icon: 'none',
duration: 1500
})
}
})
} else {
wx.showToast({
title: res.errMsg,
icon: "none",
duration: 1500
});
}
},
fail() {
wx.showToast({
title: "调取登录失败!",
icon: "none",
duration: 1500
});
}
})
}
export function trim(str) {
return str.replace(/(^\s*)|(\s*$)/g, "");
}
// 滚动到底部
export function scrollBottom() {
}
// 获取自身定位
export function getLocation() {
return new Promise((resolve, reject) => {
wx.getLocation({
type: 'gcj02',
success(res) {
console.log(res)
resolve(res)
},
fail(err) {
console.log(err)
reject(err)
}
})
})
}
// 获取新消息红点
export function getNewMsgDot() {
if (wx.getStorageSync("userId") && wx.getStorageSync("token")) {
post("User/GetMessageRed", {
UserId: wx.getStorageSync("userId"),
Token: wx.getStorageSync("token")
}).then(res => {
if (res.code === 0 && res.data.Count === 1) {
const _res = res.data
let num = _res.SysNotice.Count+_res.friend_new.Count+_res.friend_req.Count
num>99?num = '99+':num = String(num);
wx.setTabBarBadge({
index: 3,
text:num
});
}else{
wx.removeTabBarBadge({
index: 3
});
}
});
}
}
export {
host,
filePath,
}
export default {
Login,
toLogin,
get,
post,
formatNumber,
formatTime,
getCurrentPageUrlWithArgs,
valPhone: valPhone,
previewImage: previewImage,
trim,
getLocation,
getNewMsgDot
}
|
const dateTime = {
convertTo24Hrs : function(timestamp) {
let getTime = new Date(timestamp)
let minutes = getTime.getHours() > 10 ? getTime.getHours() : '0'+getTime.getHours()
let seconds = getTime.getSeconds() > 10 ? getTime.getSeconds() : '0'+getTime.getSeconds()
return `${minutes}:${seconds}`
},
getChatFriend : function(members,my_id) {
return members.find((user)=>{
return user.userId != my_id
})
}
}
export default dateTime;
|
var elixir = require('laravel-elixir');
require('laravel-elixir-bower-io');
elixir.config.production = true;
elixir.config.assetsPath = 'lib/themes/ctl_theme';
elixir.config.publicPath = 'lib/themes/ctl_theme';
elixir.config.sourcemaps = false;
elixir.config.css.sass.pluginOptions.includePaths = [
'bower_components/bootstrap-sass-official/assets/stylesheets',
'bower_components/fontawesome/scss'
];
// Output line numbers during development for debugging.
if (!elixir.production) {
elixir.config.css.sass.pluginOptions.sourceComments = 'map';
}
elixir(function (mix) {
mix.Bower();
mix.copy('bower_components/fontawesome/fonts', elixir.config.publicPath + '/fonts');
mix.copy('bower_components/bootstrap-sass-official/assets/fonts/bootstrap', elixir.config.publicPath + '/fonts/bootstrap');
mix.sass('ctl.scss');
});
|
function pulsar(){
var respuesta;
respuesta = prompt("¿Estas seguro que deseas realizar esta operación?","");
if(respuesta){
alert("Has respondido:"+respuesta);
}else{
alert("Ha reusado contestar");
}
}
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.