code
stringlengths 0
56.1M
| repo_name
stringclasses 515
values | path
stringlengths 2
147
| language
stringclasses 447
values | license
stringclasses 7
values | size
int64 0
56.8M
|
---|---|---|---|---|---|
import { Request, Response } from "express";
import httpProxy from "http-proxy";
import { ZodError } from "zod";
const OPENAI_CHAT_COMPLETION_ENDPOINT = "/v1/chat/completions";
const ANTHROPIC_COMPLETION_ENDPOINT = "/v1/complete";
/** Returns true if we're making a request to a completion endpoint. */
export function isCompletionRequest(req: Request) {
return (
req.method === "POST" &&
[OPENAI_CHAT_COMPLETION_ENDPOINT, ANTHROPIC_COMPLETION_ENDPOINT].some(
(endpoint) => req.path.startsWith(endpoint)
)
);
}
export function writeErrorResponse(
req: Request,
res: Response,
statusCode: number,
errorPayload: Record<string, any>
) {
const errorSource = errorPayload.error?.type.startsWith("proxy")
? "proxy"
: "upstream";
// If we're mid-SSE stream, send a data event with the error payload and end
// the stream. Otherwise just send a normal error response.
if (
res.headersSent ||
res.getHeader("content-type") === "text/event-stream"
) {
const errorContent =
statusCode === 403
? JSON.stringify(errorPayload)
: JSON.stringify(errorPayload, null, 2);
const msg = buildFakeSseMessage(
`${errorSource} error (${statusCode})`,
errorContent,
req
);
res.write(msg);
res.write(`data: [DONE]\n\n`);
res.end();
} else {
if (req.debug) {
errorPayload.error.proxy_tokenizer_debug_info = req.debug;
}
res.status(statusCode).json(errorPayload);
}
}
export const handleProxyError: httpProxy.ErrorCallback = (err, req, res) => {
req.log.error({ err }, `Error during proxy request middleware`);
handleInternalError(err, req as Request, res as Response);
};
export const handleInternalError = (
err: Error,
req: Request,
res: Response,
errorType: string = "proxy_internal_error"
) => {
try {
const isZod = err instanceof ZodError;
const isForbidden = err.name === "ForbiddenError";
if (isZod) {
writeErrorResponse(req, res, 400, {
error: {
type: "proxy_validation_error",
proxy_note: `Reverse proxy couldn't validate your request when trying to transform it. Your client may be sending invalid data.`,
issues: err.issues,
stack: err.stack,
message: err.message,
},
});
} else if (isForbidden) {
// Spoofs a vaguely threatening OpenAI error message. Only invoked by the
// block-zoomers rewriter to scare off tiktokers.
writeErrorResponse(req, res, 403, {
error: {
type: "organization_account_disabled",
code: "policy_violation",
param: null,
message: err.message,
},
});
} else {
writeErrorResponse(req, res, 500, {
error: {
type: errorType,
proxy_note: `Reverse proxy encountered an error before it could reach the upstream API.`,
message: err.message,
stack: err.stack,
},
});
}
} catch (e) {
req.log.error(
{ error: e },
`Error writing error response headers, giving up.`
);
}
};
export function buildFakeSseMessage(
type: string,
string: string,
req: Request
) {
let fakeEvent;
const useBackticks = !type.includes("403");
const msgContent = useBackticks
? `\`\`\`\n[${type}: ${string}]\n\`\`\`\n`
: `[${type}: ${string}]`;
if (req.inboundApi === "anthropic") {
fakeEvent = {
completion: msgContent,
stop_reason: type,
truncated: false, // I've never seen this be true
stop: null,
model: req.body?.model,
log_id: "proxy-req-" + req.id,
};
} else {
fakeEvent = {
id: "chatcmpl-" + req.id,
object: "chat.completion.chunk",
created: Date.now(),
model: req.body?.model,
choices: [
{
delta: { content: msgContent },
index: 0,
finish_reason: type,
},
],
};
}
return `data: ${JSON.stringify(fakeEvent)}\n\n`;
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/common.ts
|
TypeScript
|
unknown
| 3,995 |
import { AnthropicKey, Key } from "../../../key-management";
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
/**
* Some keys require the prompt to start with `\n\nHuman:`. There is no way to
* know this without trying to send the request and seeing if it fails. If a
* key is marked as requiring a preamble, it will be added here.
*/
export const addAnthropicPreamble: ProxyRequestMiddleware = (
_proxyReq,
req
) => {
if (!isCompletionRequest(req) || req.key?.service !== "anthropic") {
return;
}
let preamble = "";
let prompt = req.body.prompt;
assertAnthropicKey(req.key);
if (req.key.requiresPreamble) {
preamble = prompt.startsWith("\n\nHuman:") ? "" : "\n\nHuman:";
req.log.debug({ key: req.key.hash, preamble }, "Adding preamble to prompt");
}
req.body.prompt = preamble + prompt;
};
function assertAnthropicKey(key: Key): asserts key is AnthropicKey {
if (key.service !== "anthropic") {
throw new Error(`Expected an Anthropic key, got '${key.service}'`);
}
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/add-anthropic-preamble.ts
|
TypeScript
|
unknown
| 1,058 |
import { Key, keyPool } from "../../../key-management";
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
/** Add a key that can service this request to the request object. */
export const addKey: ProxyRequestMiddleware = (proxyReq, req) => {
let assignedKey: Key;
if (!isCompletionRequest(req)) {
// Horrible, horrible hack to stop the proxy from complaining about clients
// not sending a model when they are requesting the list of models (which
// requires a key, but obviously not a model).
// TODO: shouldn't even proxy /models to the upstream API, just fake it
// using the models our key pool has available.
req.body.model = "gpt-3.5-turbo";
}
if (!req.inboundApi || !req.outboundApi) {
const err = new Error(
"Request API format missing. Did you forget to add the request preprocessor to your router?"
);
req.log.error(
{ in: req.inboundApi, out: req.outboundApi, path: req.path },
err.message
);
throw err;
}
if (!req.body?.model) {
throw new Error("You must specify a model with your request.");
}
// This should happen somewhere else but addKey is guaranteed to run first.
req.isStreaming = req.body.stream === true || req.body.stream === "true";
req.body.stream = req.isStreaming;
// Anthropic support has a special endpoint that accepts OpenAI-formatted
// requests and translates them into Anthropic requests. On this endpoint,
// the requested model is an OpenAI one even though we're actually sending
// an Anthropic request.
// For such cases, ignore the requested model entirely.
if (req.inboundApi === "openai" && req.outboundApi === "anthropic") {
req.log.debug("Using an Anthropic key for an OpenAI-compatible request");
assignedKey = keyPool.get("claude-v1");
} else {
assignedKey = keyPool.get(req.body.model);
}
req.key = assignedKey;
req.log.info(
{
key: assignedKey.hash,
model: req.body?.model,
fromApi: req.inboundApi,
toApi: req.outboundApi,
},
"Assigned key to request"
);
if (assignedKey.service === "anthropic") {
proxyReq.setHeader("X-API-Key", assignedKey.key);
} else {
proxyReq.setHeader("Authorization", `Bearer ${assignedKey.key}`);
}
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/add-key.ts
|
TypeScript
|
unknown
| 2,298 |
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
const DISALLOWED_ORIGIN_SUBSTRINGS = "janitorai.com,janitor.ai".split(",");
class ForbiddenError extends Error {
constructor(message: string) {
super(message);
this.name = "ForbiddenError";
}
}
/**
* Blocks requests from Janitor AI users with a fake, scary error message so I
* stop getting emails asking for tech support.
*/
export const blockZoomerOrigins: ProxyRequestMiddleware = (_proxyReq, req) => {
if (!isCompletionRequest(req)) {
return;
}
const origin = req.headers.origin || req.headers.referer;
if (origin && DISALLOWED_ORIGIN_SUBSTRINGS.some((s) => origin.includes(s))) {
// Venus-derivatives send a test prompt to check if the proxy is working.
// We don't want to block that just yet.
if (req.body.messages[0]?.content === "Just say TEST") {
return;
}
throw new ForbiddenError(
`Your access was terminated due to violation of our policies, please check your email for more information. If you believe this is in error and would like to appeal, please contact us through our help center at help.openai.com.`
);
}
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/block-zoomer-origins.ts
|
TypeScript
|
unknown
| 1,193 |
import { countTokens } from "../../../tokenization";
import { RequestPreprocessor } from ".";
import { openAIMessagesToClaudePrompt } from "./transform-outbound-payload";
export const checkPromptSize: RequestPreprocessor = async (req) => {
const prompt =
req.inboundApi === "openai" ? req.body.messages : req.body.prompt;
let result;
if (req.outboundApi === "openai") {
result = await countTokens({ req, prompt, service: "openai" });
} else {
// If we're doing OpenAI-to-Anthropic, we need to convert the messages to a
// prompt first before counting tokens, as that process affects the token
// count.
let promptStr =
req.inboundApi === "anthropic"
? prompt
: openAIMessagesToClaudePrompt(prompt);
result = await countTokens({
req,
prompt: promptStr,
service: "anthropic",
});
}
req.promptTokens = result.token_count;
// TODO: Remove once token counting is stable
req.log.debug({ result }, "Counted prompt tokens");
req.debug = req.debug ?? {};
req.debug = {
...req.debug,
...result,
};
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/check-prompt-size.ts
|
TypeScript
|
unknown
| 1,097 |
import { fixRequestBody } from "http-proxy-middleware";
import type { ProxyRequestMiddleware } from ".";
/** Finalize the rewritten request body. Must be the last rewriter. */
export const finalizeBody: ProxyRequestMiddleware = (proxyReq, req) => {
if (["POST", "PUT", "PATCH"].includes(req.method ?? "") && req.body) {
const updatedBody = JSON.stringify(req.body);
proxyReq.setHeader("Content-Length", Buffer.byteLength(updatedBody));
(req as any).rawBody = Buffer.from(updatedBody);
// body-parser and http-proxy-middleware don't play nice together
fixRequestBody(proxyReq, req);
}
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/finalize-body.ts
|
TypeScript
|
unknown
| 613 |
import type { Request } from "express";
import type { ClientRequest } from "http";
import type { ProxyReqCallback } from "http-proxy";
// Express middleware (runs before http-proxy-middleware, can be async)
export { createPreprocessorMiddleware } from "./preprocess";
export { checkPromptSize } from "./check-prompt-size";
export { setApiFormat } from "./set-api-format";
export { transformOutboundPayload } from "./transform-outbound-payload";
// HPM middleware (runs on onProxyReq, cannot be async)
export { addKey } from "./add-key";
export { addAnthropicPreamble } from "./add-anthropic-preamble";
export { blockZoomerOrigins } from "./block-zoomer-origins";
export { finalizeBody } from "./finalize-body";
export { languageFilter } from "./language-filter";
export { limitCompletions } from "./limit-completions";
export { limitOutputTokens } from "./limit-output-tokens";
export { removeOriginHeaders } from "./remove-origin-headers";
export { transformKoboldPayload } from "./transform-kobold-payload";
/**
* Middleware that runs prior to the request being handled by http-proxy-
* middleware.
*
* Async functions can be used here, but you will not have access to the proxied
* request/response objects, nor the data set by ProxyRequestMiddleware
* functions as they have not yet been run.
*
* User will have been authenticated by the time this middleware runs, but your
* request won't have been assigned an API key yet.
*
* Note that these functions only run once ever per request, even if the request
* is automatically retried by the request queue middleware.
*/
export type RequestPreprocessor = (req: Request) => void | Promise<void>;
/**
* Middleware that runs immediately before the request is sent to the API in
* response to http-proxy-middleware's `proxyReq` event.
*
* Async functions cannot be used here as HPM's event emitter is not async and
* will not wait for the promise to resolve before sending the request.
*
* Note that these functions may be run multiple times per request if the
* first attempt is rate limited and the request is automatically retried by the
* request queue middleware.
*/
export type ProxyRequestMiddleware = ProxyReqCallback<ClientRequest, Request>;
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/index.ts
|
TypeScript
|
unknown
| 2,227 |
import { Request } from "express";
import { config } from "../../../config";
import { logger } from "../../../logger";
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
const DISALLOWED_REGEX =
/[\u2E80-\u2E99\u2E9B-\u2EF3\u2F00-\u2FD5\u3005\u3007\u3021-\u3029\u3038-\u303B\u3400-\u4DB5\u4E00-\u9FD5\uF900-\uFA6D\uFA70-\uFAD9]/;
// Our shitty free-tier VMs will fall over if we test every single character in
// each 15k character request ten times a second. So we'll just sample 20% of
// the characters and hope that's enough.
const containsDisallowedCharacters = (text: string) => {
const sampleSize = Math.ceil(text.length * 0.2);
const sample = text
.split("")
.sort(() => 0.5 - Math.random())
.slice(0, sampleSize)
.join("");
return DISALLOWED_REGEX.test(sample);
};
/** Block requests containing too many disallowed characters. */
export const languageFilter: ProxyRequestMiddleware = (_proxyReq, req) => {
if (!config.rejectDisallowed) {
return;
}
if (isCompletionRequest(req)) {
const combinedText = getPromptFromRequest(req);
if (containsDisallowedCharacters(combinedText)) {
logger.warn(`Blocked request containing bad characters`);
_proxyReq.destroy(new Error(config.rejectMessage));
}
}
};
function getPromptFromRequest(req: Request) {
const service = req.outboundApi;
const body = req.body;
switch (service) {
case "anthropic":
return body.prompt;
case "openai":
return body.messages
.map((m: { content: string }) => m.content)
.join("\n");
default:
throw new Error(`Unknown service: ${service}`);
}
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/language-filter.ts
|
TypeScript
|
unknown
| 1,678 |
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
/**
* Don't allow multiple completions to be requested to prevent abuse.
* OpenAI-only, Anthropic provides no such parameter.
**/
export const limitCompletions: ProxyRequestMiddleware = (_proxyReq, req) => {
if (isCompletionRequest(req) && req.outboundApi === "openai") {
const originalN = req.body?.n || 1;
req.body.n = 1;
if (originalN !== req.body.n) {
req.log.warn(`Limiting completion choices from ${originalN} to 1`);
}
}
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/limit-completions.ts
|
TypeScript
|
unknown
| 554 |
import { Request } from "express";
import { config } from "../../../config";
import { isCompletionRequest } from "../common";
import { ProxyRequestMiddleware } from ".";
/** Enforce a maximum number of tokens requested from the model. */
export const limitOutputTokens: ProxyRequestMiddleware = (_proxyReq, req) => {
// TODO: do all of this shit in the zod validator
if (isCompletionRequest(req)) {
const requestedMax = Number.parseInt(getMaxTokensFromRequest(req));
const apiMax =
req.outboundApi === "openai"
? config.maxOutputTokensOpenAI
: config.maxOutputTokensAnthropic;
let maxTokens = requestedMax;
if (typeof requestedMax !== "number") {
maxTokens = apiMax;
}
maxTokens = Math.min(maxTokens, apiMax);
if (req.outboundApi === "openai") {
req.body.max_tokens = maxTokens;
} else if (req.outboundApi === "anthropic") {
req.body.max_tokens_to_sample = maxTokens;
}
if (requestedMax !== maxTokens) {
req.log.info(
{ requestedMax, configMax: apiMax, final: maxTokens },
"Limiting user's requested max output tokens"
);
}
}
};
function getMaxTokensFromRequest(req: Request) {
switch (req.outboundApi) {
case "anthropic":
return req.body?.max_tokens_to_sample;
case "openai":
return req.body?.max_tokens;
default:
throw new Error(`Unknown service: ${req.outboundApi}`);
}
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/limit-output-tokens.ts
|
TypeScript
|
unknown
| 1,432 |
import { RequestHandler } from "express";
import { handleInternalError } from "../common";
import {
RequestPreprocessor,
checkPromptSize,
setApiFormat,
transformOutboundPayload,
} from ".";
/**
* Returns a middleware function that processes the request body into the given
* API format, and then sequentially runs the given additional preprocessors.
*/
export const createPreprocessorMiddleware = (
apiFormat: Parameters<typeof setApiFormat>[0],
additionalPreprocessors?: RequestPreprocessor[]
): RequestHandler => {
const preprocessors: RequestPreprocessor[] = [
setApiFormat(apiFormat),
checkPromptSize,
transformOutboundPayload,
...(additionalPreprocessors ?? []),
];
return async function executePreprocessors(req, res, next) {
try {
for (const preprocessor of preprocessors) {
await preprocessor(req);
}
next();
} catch (error) {
req.log.error(error, "Error while executing request preprocessor");
handleInternalError(error as Error, req, res, "proxy_preprocessor_error");
}
};
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/preprocess.ts
|
TypeScript
|
unknown
| 1,077 |
import { ProxyRequestMiddleware } from ".";
/**
* Removes origin and referer headers before sending the request to the API for
* privacy reasons.
**/
export const removeOriginHeaders: ProxyRequestMiddleware = (proxyReq) => {
proxyReq.setHeader("origin", "");
proxyReq.setHeader("referer", "");
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/remove-origin-headers.ts
|
TypeScript
|
unknown
| 305 |
import { Request } from "express";
import { AIService } from "../../../key-management";
import { RequestPreprocessor } from ".";
export const setApiFormat = (api: {
inApi: Request["inboundApi"];
outApi: AIService;
}): RequestPreprocessor => {
return (req) => {
req.inboundApi = api.inApi;
req.outboundApi = api.outApi;
};
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/set-api-format.ts
|
TypeScript
|
unknown
| 342 |
import { Request } from "express";
import { z } from "zod";
import { isCompletionRequest } from "../common";
import { RequestPreprocessor } from ".";
import { OpenAIPromptMessage } from "../../../tokenization/openai";
/**
* The maximum number of tokens an Anthropic prompt can have before we switch to
* the larger claude-100k context model.
*/
const CLAUDE_100K_TOKEN_THRESHOLD = 8200;
// https://console.anthropic.com/docs/api/reference#-v1-complete
const AnthropicV1CompleteSchema = z.object({
model: z.string().regex(/^claude-/, "Model must start with 'claude-'"),
prompt: z.string({
required_error:
"No prompt found. Are you sending an OpenAI-formatted request to the Claude endpoint?",
}),
max_tokens_to_sample: z.coerce.number(),
stop_sequences: z.array(z.string()).optional(),
stream: z.boolean().optional().default(false),
temperature: z.coerce.number().optional().default(1),
top_k: z.coerce.number().optional().default(-1),
top_p: z.coerce.number().optional().default(-1),
metadata: z.any().optional(),
});
// https://platform.openai.com/docs/api-reference/chat/create
const OpenAIV1ChatCompletionSchema = z.object({
model: z.string().regex(/^gpt/, "Model must start with 'gpt-'"),
messages: z.array(
z.object({
role: z.enum(["system", "user", "assistant"]),
content: z.string(),
name: z.string().optional(),
}),
{
required_error:
"No prompt found. Are you sending an Anthropic-formatted request to the OpenAI endpoint?",
}
),
temperature: z.number().optional().default(1),
top_p: z.number().optional().default(1),
n: z
.literal(1, {
errorMap: () => ({
message: "You may only request a single completion at a time.",
}),
})
.optional(),
stream: z.boolean().optional().default(false),
stop: z.union([z.string(), z.array(z.string())]).optional(),
max_tokens: z.coerce.number().optional(),
frequency_penalty: z.number().optional().default(0),
presence_penalty: z.number().optional().default(0),
logit_bias: z.any().optional(),
user: z.string().optional(),
});
/** Transforms an incoming request body to one that matches the target API. */
export const transformOutboundPayload: RequestPreprocessor = async (req) => {
const sameService = req.inboundApi === req.outboundApi;
const notTransformable = !isCompletionRequest(req);
if (notTransformable) {
return;
}
if (sameService) {
// Just validate, don't transform.
const validator =
req.outboundApi === "openai"
? OpenAIV1ChatCompletionSchema
: AnthropicV1CompleteSchema;
const result = validator.safeParse(req.body);
if (!result.success) {
req.log.error(
{ issues: result.error.issues, body: req.body },
"Request validation failed"
);
throw result.error;
}
validatePromptSize(req);
return;
}
if (req.inboundApi === "openai" && req.outboundApi === "anthropic") {
req.body = openaiToAnthropic(req.body, req);
validatePromptSize(req);
return;
}
throw new Error(
`'${req.inboundApi}' -> '${req.outboundApi}' request proxying is not supported. Make sure your client is configured to use the correct API.`
);
};
function openaiToAnthropic(body: any, req: Request) {
const result = OpenAIV1ChatCompletionSchema.safeParse(body);
if (!result.success) {
req.log.error(
{ issues: result.error.issues, body: req.body },
"Invalid OpenAI-to-Anthropic request"
);
throw result.error;
}
// Anthropic has started versioning their API, indicated by an HTTP header
// `anthropic-version`. The new June 2023 version is not backwards compatible
// with our OpenAI-to-Anthropic transformations so we need to explicitly
// request the older version for now. 2023-01-01 will be removed in September.
// https://docs.anthropic.com/claude/reference/versioning
req.headers["anthropic-version"] = "2023-01-01";
const { messages, ...rest } = result.data;
const prompt = openAIMessagesToClaudePrompt(messages);
// No longer defaulting to `claude-v1.2` because it seems to be in the process
// of being deprecated. `claude-v1` is the new default.
// If you have keys that can still use `claude-v1.2`, you can set the
// CLAUDE_BIG_MODEL and CLAUDE_SMALL_MODEL environment variables in your .env
// file.
const CLAUDE_BIG = process.env.CLAUDE_BIG_MODEL || "claude-v1-100k";
const CLAUDE_SMALL = process.env.CLAUDE_SMALL_MODEL || "claude-v1";
const contextTokens = Number(req.promptTokens ?? 0) + Number(rest.max_tokens);
const model =
(contextTokens ?? 0) > CLAUDE_100K_TOKEN_THRESHOLD
? CLAUDE_BIG
: CLAUDE_SMALL;
req.log.debug(
{ contextTokens, model, CLAUDE_100K_TOKEN_THRESHOLD },
"Selected Claude model"
);
let stops = rest.stop
? Array.isArray(rest.stop)
? rest.stop
: [rest.stop]
: [];
// Recommended by Anthropic
stops.push("\n\nHuman:");
// Helps with jailbreak prompts that send fake system messages and multi-bot
// chats that prefix bot messages with "System: Respond as <bot name>".
stops.push("\n\nSystem:");
// Remove duplicates
stops = [...new Set(stops)];
return {
...rest,
model,
prompt: prompt,
max_tokens_to_sample: rest.max_tokens,
stop_sequences: stops,
};
}
export function openAIMessagesToClaudePrompt(messages: OpenAIPromptMessage[]) {
return (
messages
.map((m) => {
let role: string = m.role;
if (role === "assistant") {
role = "Assistant";
} else if (role === "system") {
role = "System";
} else if (role === "user") {
role = "Human";
}
// https://console.anthropic.com/docs/prompt-design
// `name` isn't supported by Anthropic but we can still try to use it.
return `\n\n${role}: ${m.name?.trim() ? `(as ${m.name}) ` : ""}${
m.content
}`;
})
.join("") + "\n\nAssistant:"
);
}
function validatePromptSize(req: Request) {
const promptTokens = req.promptTokens || 0;
const model = req.body.model;
let maxTokensForModel = 0;
if (model.match(/gpt-3.5/)) {
maxTokensForModel = 4096;
} else if (model.match(/gpt-4/)) {
maxTokensForModel = 8192;
} else if (model.match(/gpt-4-32k/)) {
maxTokensForModel = 32768;
} else if (model.match(/claude-(?:instant-)?v1(?:\.\d)?(?:-100k)/)) {
// Claude models don't throw an error if you exceed the token limit and
// instead just become extremely slow and give schizo results, so we will be
// more conservative with the token limit for them.
maxTokensForModel = 100000 * 0.98;
} else if (model.match(/claude-(?:instant-)?v1(?:\.\d)?$/)) {
maxTokensForModel = 9000 * 0.98;
} else {
// I don't trust my regular expressions enough to throw an error here so
// we just log a warning and allow 100k tokens.
req.log.warn({ model }, "Unknown model, using 100k token limit.");
maxTokensForModel = 100000;
}
if (req.debug) {
req.debug.calculated_max_tokens = maxTokensForModel;
}
z.number()
.max(
maxTokensForModel,
`Prompt is too long for model ${model} (${promptTokens} tokens, max ${maxTokensForModel})`
)
.parse(promptTokens);
req.log.debug({ promptTokens, maxTokensForModel }, "Prompt size validated");
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/request/transform-outbound-payload.ts
|
TypeScript
|
unknown
| 7,369 |
import { Request, Response } from "express";
import * as http from "http";
import { buildFakeSseMessage } from "../common";
import { RawResponseBodyHandler, decodeResponseBody } from ".";
type OpenAiChatCompletionResponse = {
id: string;
object: string;
created: number;
model: string;
choices: {
message: { role: string; content: string };
finish_reason: string | null;
index: number;
}[];
};
type AnthropicCompletionResponse = {
completion: string;
stop_reason: string;
truncated: boolean;
stop: any;
model: string;
log_id: string;
exception: null;
};
/**
* Consume the SSE stream and forward events to the client. Once the stream is
* stream is closed, resolve with the full response body so that subsequent
* middleware can work with it.
*
* Typically we would only need of the raw response handlers to execute, but
* in the event a streamed request results in a non-200 response, we need to
* fall back to the non-streaming response handler so that the error handler
* can inspect the error response.
*
* Currently most frontends don't support Anthropic streaming, so users can opt
* to send requests for Claude models via an endpoint that accepts OpenAI-
* compatible requests and translates the received Anthropic SSE events into
* OpenAI ones, essentially pretending to be an OpenAI streaming API.
*/
export const handleStreamedResponse: RawResponseBodyHandler = async (
proxyRes,
req,
res
) => {
// If these differ, the user is using the OpenAI-compatibile endpoint, so
// we need to translate the SSE events into OpenAI completion events for their
// frontend.
if (!req.isStreaming) {
const err = new Error(
"handleStreamedResponse called for non-streaming request."
);
req.log.error({ stack: err.stack, api: req.inboundApi }, err.message);
throw err;
}
const key = req.key!;
if (proxyRes.statusCode !== 200) {
// Ensure we use the non-streaming middleware stack since we won't be
// getting any events.
req.isStreaming = false;
req.log.warn(
{ statusCode: proxyRes.statusCode, key: key.hash },
`Streaming request returned error status code. Falling back to non-streaming response handler.`
);
return decodeResponseBody(proxyRes, req, res);
}
return new Promise((resolve, reject) => {
req.log.info({ key: key.hash }, `Starting to proxy SSE stream.`);
// Queued streaming requests will already have a connection open and headers
// sent due to the heartbeat handler. In that case we can just start
// streaming the response without sending headers.
if (!res.headersSent) {
res.setHeader("Content-Type", "text/event-stream");
res.setHeader("Cache-Control", "no-cache");
res.setHeader("Connection", "keep-alive");
res.setHeader("X-Accel-Buffering", "no");
copyHeaders(proxyRes, res);
res.flushHeaders();
}
const originalEvents: string[] = [];
let partialMessage = "";
let lastPosition = 0;
type ProxyResHandler<T extends unknown> = (...args: T[]) => void;
function withErrorHandling<T extends unknown>(fn: ProxyResHandler<T>) {
return (...args: T[]) => {
try {
fn(...args);
} catch (error) {
proxyRes.emit("error", error);
}
};
}
proxyRes.on(
"data",
withErrorHandling((chunk: Buffer) => {
// We may receive multiple (or partial) SSE messages in a single chunk,
// so we need to buffer and emit seperate stream events for full
// messages so we can parse/transform them properly.
const str = chunk.toString();
// Anthropic uses CRLF line endings (out-of-spec btw)
const fullMessages = (partialMessage + str).split(/\r?\n\r?\n/);
partialMessage = fullMessages.pop() || "";
for (const message of fullMessages) {
proxyRes.emit("full-sse-event", message);
}
})
);
proxyRes.on(
"full-sse-event",
withErrorHandling((data) => {
originalEvents.push(data);
const { event, position } = transformEvent({
data,
requestApi: req.inboundApi,
responseApi: req.outboundApi,
lastPosition,
});
lastPosition = position;
res.write(event + "\n\n");
})
);
proxyRes.on(
"end",
withErrorHandling(() => {
let finalBody = convertEventsToFinalResponse(originalEvents, req);
req.log.info({ key: key.hash }, `Finished proxying SSE stream.`);
res.end();
resolve(finalBody);
})
);
proxyRes.on("error", (err) => {
req.log.error({ error: err, key: key.hash }, `Mid-stream error.`);
const fakeErrorEvent = buildFakeSseMessage(
"mid-stream-error",
err.message,
req
);
res.write(`data: ${JSON.stringify(fakeErrorEvent)}\n\n`);
res.write("data: [DONE]\n\n");
res.end();
reject(err);
});
});
};
/**
* Transforms SSE events from the given response API into events compatible with
* the API requested by the client.
*/
function transformEvent({
data,
requestApi,
responseApi,
lastPosition,
}: {
data: string;
requestApi: string;
responseApi: string;
lastPosition: number;
}) {
if (requestApi === responseApi) {
return { position: -1, event: data };
}
if (requestApi === "anthropic" && responseApi === "openai") {
throw new Error(`Anthropic -> OpenAI streaming not implemented.`);
}
// Anthropic sends the full completion so far with each event whereas OpenAI
// only sends the delta. To make the SSE events compatible, we remove
// everything before `lastPosition` from the completion.
if (!data.startsWith("data:")) {
return { position: lastPosition, event: data };
}
if (data.startsWith("data: [DONE]")) {
return { position: lastPosition, event: data };
}
const event = JSON.parse(data.slice("data: ".length));
const newEvent = {
id: "ant-" + event.log_id,
object: "chat.completion.chunk",
created: Date.now(),
model: event.model,
choices: [
{
index: 0,
delta: { content: event.completion?.slice(lastPosition) },
finish_reason: event.stop_reason,
},
],
};
return {
position: event.completion.length,
event: `data: ${JSON.stringify(newEvent)}`,
};
}
/** Copy headers, excluding ones we're already setting for the SSE response. */
function copyHeaders(proxyRes: http.IncomingMessage, res: Response) {
const toOmit = [
"content-length",
"content-encoding",
"transfer-encoding",
"content-type",
"connection",
"cache-control",
];
for (const [key, value] of Object.entries(proxyRes.headers)) {
if (!toOmit.includes(key) && value) {
res.setHeader(key, value);
}
}
}
/**
* Converts the list of incremental SSE events into an object that resembles a
* full, non-streamed response from the API so that subsequent middleware can
* operate on it as if it were a normal response.
* Events are expected to be in the format they were received from the API.
*/
function convertEventsToFinalResponse(events: string[], req: Request) {
if (req.outboundApi === "openai") {
let response: OpenAiChatCompletionResponse = {
id: "",
object: "",
created: 0,
model: "",
choices: [],
};
response = events.reduce((acc, event, i) => {
if (!event.startsWith("data: ")) {
return acc;
}
if (event === "data: [DONE]") {
return acc;
}
const data = JSON.parse(event.slice("data: ".length));
if (i === 0) {
return {
id: data.id,
object: data.object,
created: data.created,
model: data.model,
choices: [
{
message: { role: data.choices[0].delta.role, content: "" },
index: 0,
finish_reason: null,
},
],
};
}
if (data.choices[0].delta.content) {
acc.choices[0].message.content += data.choices[0].delta.content;
}
acc.choices[0].finish_reason = data.choices[0].finish_reason;
return acc;
}, response);
return response;
}
if (req.outboundApi === "anthropic") {
/*
* Full complete responses from Anthropic are conveniently just the same as
* the final SSE event before the "DONE" event, so we can reuse that
*/
const lastEvent = events[events.length - 2].toString();
const data = JSON.parse(lastEvent.slice("data: ".length));
const response: AnthropicCompletionResponse = {
...data,
log_id: req.id,
};
return response;
}
throw new Error("If you get this, something is fucked");
}
|
antigonus/desudeliveryservice
|
src/proxy/middleware/response/handle-streamed-response.ts
|
TypeScript
|
unknown
| 8,782 |
/* This file is fucking horrendous, sorry */
import { Request, Response } from "express";
import * as http from "http";
import util from "util";
import zlib from "zlib";
import { config } from "../../../config";
import { logger } from "../../../logger";
import { keyPool } from "../../../key-management";
import { enqueue, trackWaitTime } from "../../queue";
import { incrementPromptCount } from "../../auth/user-store";
import { isCompletionRequest, writeErrorResponse } from "../common";
import { handleStreamedResponse } from "./handle-streamed-response";
import { logPrompt } from "./log-prompt";
const DECODER_MAP = {
gzip: util.promisify(zlib.gunzip),
deflate: util.promisify(zlib.inflate),
br: util.promisify(zlib.brotliDecompress),
};
const isSupportedContentEncoding = (
contentEncoding: string
): contentEncoding is keyof typeof DECODER_MAP => {
return contentEncoding in DECODER_MAP;
};
class RetryableError extends Error {
constructor(message: string) {
super(message);
this.name = "RetryableError";
}
}
/**
* Either decodes or streams the entire response body and then passes it as the
* last argument to the rest of the middleware stack.
*/
export type RawResponseBodyHandler = (
proxyRes: http.IncomingMessage,
req: Request,
res: Response
) => Promise<string | Record<string, any>>;
export type ProxyResHandlerWithBody = (
proxyRes: http.IncomingMessage,
req: Request,
res: Response,
/**
* This will be an object if the response content-type is application/json,
* or if the response is a streaming response. Otherwise it will be a string.
*/
body: string | Record<string, any>
) => Promise<void>;
export type ProxyResMiddleware = ProxyResHandlerWithBody[];
/**
* Returns a on.proxyRes handler that executes the given middleware stack after
* the common proxy response handlers have processed the response and decoded
* the body. Custom middleware won't execute if the response is determined to
* be an error from the upstream service as the response will be taken over by
* the common error handler.
*
* For streaming responses, the handleStream middleware will block remaining
* middleware from executing as it consumes the stream and forwards events to
* the client. Once the stream is closed, the finalized body will be attached
* to res.body and the remaining middleware will execute.
*/
export const createOnProxyResHandler = (apiMiddleware: ProxyResMiddleware) => {
return async (
proxyRes: http.IncomingMessage,
req: Request,
res: Response
) => {
const initialHandler = req.isStreaming
? handleStreamedResponse
: decodeResponseBody;
let lastMiddlewareName = initialHandler.name;
try {
const body = await initialHandler(proxyRes, req, res);
const middlewareStack: ProxyResMiddleware = [];
if (req.isStreaming) {
// `handleStreamedResponse` writes to the response and ends it, so
// we can only execute middleware that doesn't write to the response.
middlewareStack.push(trackRateLimit, incrementKeyUsage, logPrompt);
} else {
middlewareStack.push(
trackRateLimit,
handleUpstreamErrors,
incrementKeyUsage,
copyHttpHeaders,
logPrompt,
...apiMiddleware
);
}
for (const middleware of middlewareStack) {
lastMiddlewareName = middleware.name;
await middleware(proxyRes, req, res, body);
}
trackWaitTime(req);
} catch (error: any) {
// Hack: if the error is a retryable rate-limit error, the request has
// been re-enqueued and we can just return without doing anything else.
if (error instanceof RetryableError) {
return;
}
const errorData = {
error: error.stack,
thrownBy: lastMiddlewareName,
key: req.key?.hash,
};
const message = `Error while executing proxy response middleware: ${lastMiddlewareName} (${error.message})`;
if (res.headersSent) {
req.log.error(errorData, message);
// This should have already been handled by the error handler, but
// just in case...
if (!res.writableEnded) {
res.end();
}
return;
}
logger.error(errorData, message);
res
.status(500)
.json({ error: "Internal server error", proxy_note: message });
}
};
};
function reenqueueRequest(req: Request) {
req.log.info(
{ key: req.key?.hash, retryCount: req.retryCount },
`Re-enqueueing request due to retryable error`
);
req.retryCount++;
enqueue(req);
}
/**
* Handles the response from the upstream service and decodes the body if
* necessary. If the response is JSON, it will be parsed and returned as an
* object. Otherwise, it will be returned as a string.
* @throws {Error} Unsupported content-encoding or invalid application/json body
*/
export const decodeResponseBody: RawResponseBodyHandler = async (
proxyRes,
req,
res
) => {
if (req.isStreaming) {
const err = new Error("decodeResponseBody called for a streaming request.");
req.log.error({ stack: err.stack, api: req.inboundApi }, err.message);
throw err;
}
const promise = new Promise<string>((resolve, reject) => {
let chunks: Buffer[] = [];
proxyRes.on("data", (chunk) => chunks.push(chunk));
proxyRes.on("end", async () => {
let body = Buffer.concat(chunks);
const contentEncoding = proxyRes.headers["content-encoding"];
if (contentEncoding) {
if (isSupportedContentEncoding(contentEncoding)) {
const decoder = DECODER_MAP[contentEncoding];
body = await decoder(body);
} else {
const errorMessage = `Proxy received response with unsupported content-encoding: ${contentEncoding}`;
logger.warn({ contentEncoding, key: req.key?.hash }, errorMessage);
writeErrorResponse(req, res, 500, {
error: errorMessage,
contentEncoding,
});
return reject(errorMessage);
}
}
try {
if (proxyRes.headers["content-type"]?.includes("application/json")) {
const json = JSON.parse(body.toString());
return resolve(json);
}
return resolve(body.toString());
} catch (error: any) {
const errorMessage = `Proxy received response with invalid JSON: ${error.message}`;
logger.warn({ error, key: req.key?.hash }, errorMessage);
writeErrorResponse(req, res, 500, { error: errorMessage });
return reject(errorMessage);
}
});
});
return promise;
};
// TODO: This is too specific to OpenAI's error responses.
/**
* Handles non-2xx responses from the upstream service. If the proxied response
* is an error, this will respond to the client with an error payload and throw
* an error to stop the middleware stack.
* On 429 errors, if request queueing is enabled, the request will be silently
* re-enqueued. Otherwise, the request will be rejected with an error payload.
* @throws {Error} On HTTP error status code from upstream service
*/
const handleUpstreamErrors: ProxyResHandlerWithBody = async (
proxyRes,
req,
res,
body
) => {
const statusCode = proxyRes.statusCode || 500;
if (statusCode < 400) {
return;
}
let errorPayload: Record<string, any>;
// Subtract 1 from available keys because if this message is being shown,
// it's because the key is about to be disabled.
const availableKeys = keyPool.available(req.outboundApi) - 1;
const tryAgainMessage = Boolean(availableKeys)
? `There are ${availableKeys} more keys available; try your request again.`
: "There are no more keys available.";
try {
if (typeof body === "object") {
errorPayload = body;
} else {
throw new Error("Received unparsable error response from upstream.");
}
} catch (parseError: any) {
const statusMessage = proxyRes.statusMessage || "Unknown error";
// Likely Bad Gateway or Gateway Timeout from reverse proxy/load balancer
logger.warn(
{ statusCode, statusMessage, key: req.key?.hash },
parseError.message
);
const errorObject = {
statusCode,
statusMessage: proxyRes.statusMessage,
error: parseError.message,
proxy_note: `This is likely a temporary error with the upstream service.`,
};
writeErrorResponse(req, res, statusCode, errorObject);
throw new Error(parseError.message);
}
logger.warn(
{
statusCode,
type: errorPayload.error?.code,
errorPayload,
key: req.key?.hash,
},
`Received error response from upstream. (${proxyRes.statusMessage})`
);
if (statusCode === 400) {
// Bad request (likely prompt is too long)
if (req.outboundApi === "openai") {
errorPayload.proxy_note = `Upstream service rejected the request as invalid. Your prompt may be too long for ${req.body?.model}.`;
} else if (req.outboundApi === "anthropic") {
maybeHandleMissingPreambleError(req, errorPayload);
}
} else if (statusCode === 401) {
// Key is invalid or was revoked
keyPool.disable(req.key!);
errorPayload.proxy_note = `API key is invalid or revoked. ${tryAgainMessage}`;
} else if (statusCode === 429) {
// OpenAI uses this for a bunch of different rate-limiting scenarios.
if (req.outboundApi === "openai") {
handleOpenAIRateLimitError(req, tryAgainMessage, errorPayload);
} else if (req.outboundApi === "anthropic") {
handleAnthropicRateLimitError(req, errorPayload);
}
} else if (statusCode === 404) {
// Most likely model not found
if (req.outboundApi === "openai") {
// TODO: this probably doesn't handle GPT-4-32k variants properly if the
// proxy has keys for both the 8k and 32k context models at the same time.
if (errorPayload.error?.code === "model_not_found") {
if (req.key!.isGpt4) {
errorPayload.proxy_note = `Assigned key isn't provisioned for the GPT-4 snapshot you requested. Try again to get a different key, or use Turbo.`;
} else {
errorPayload.proxy_note = `No model was found for this key.`;
}
}
} else if (req.outboundApi === "anthropic") {
errorPayload.proxy_note = `The requested Claude model might not exist, or the key might not be provisioned for it.`;
}
} else {
errorPayload.proxy_note = `Unrecognized error from upstream service.`;
}
// Some OAI errors contain the organization ID, which we don't want to reveal.
if (errorPayload.error?.message) {
errorPayload.error.message = errorPayload.error.message.replace(
/org-.{24}/gm,
"org-xxxxxxxxxxxxxxxxxxx"
);
}
writeErrorResponse(req, res, statusCode, errorPayload);
throw new Error(errorPayload.error?.message);
};
/**
* This is a workaround for a very strange issue where certain API keys seem to
* enforce more strict input validation than others -- specifically, they will
* require a `\n\nHuman:` prefix on the prompt, perhaps to prevent the key from
* being used as a generic text completion service and to enforce the use of
* the chat RLHF. This is not documented anywhere, and it's not clear why some
* keys enforce this and others don't.
* This middleware checks for that specific error and marks the key as being
* one that requires the prefix, and then re-enqueues the request.
* The exact error is:
* ```
* {
* "error": {
* "type": "invalid_request_error",
* "message": "prompt must start with \"\n\nHuman:\" turn"
* }
* }
* ```
*/
function maybeHandleMissingPreambleError(
req: Request,
errorPayload: Record<string, any>
) {
if (
errorPayload.error?.type === "invalid_request_error" &&
errorPayload.error?.message === 'prompt must start with "\n\nHuman:" turn'
) {
req.log.warn(
{ key: req.key?.hash },
"Request failed due to missing preamble. Key will be marked as such for subsequent requests."
);
keyPool.update(req.key!, { requiresPreamble: true });
if (config.queueMode !== "none") {
reenqueueRequest(req);
throw new RetryableError("Claude request re-enqueued to add preamble.");
}
errorPayload.proxy_note = `This Claude key requires special prompt formatting. Try again; the proxy will reformat your prompt next time.`;
} else {
errorPayload.proxy_note = `Proxy received unrecognized error from Anthropic. Check the specific error for more information.`;
}
}
function handleAnthropicRateLimitError(
req: Request,
errorPayload: Record<string, any>
) {
if (errorPayload.error?.type === "rate_limit_error") {
keyPool.markRateLimited(req.key!);
if (config.queueMode !== "none") {
reenqueueRequest(req);
throw new RetryableError("Claude rate-limited request re-enqueued.");
}
errorPayload.proxy_note = `There are too many in-flight requests for this key. Try again later.`;
} else {
errorPayload.proxy_note = `Unrecognized rate limit error from Anthropic. Key may be over quota.`;
}
}
function handleOpenAIRateLimitError(
req: Request,
tryAgainMessage: string,
errorPayload: Record<string, any>
): Record<string, any> {
const type = errorPayload.error?.type;
if (type === "insufficient_quota") {
// Billing quota exceeded (key is dead, disable it)
keyPool.disable(req.key!);
errorPayload.proxy_note = `Assigned key's quota has been exceeded. ${tryAgainMessage}`;
} else if (type === "access_terminated") {
// Account banned (key is dead, disable it)
keyPool.disable(req.key!);
errorPayload.proxy_note = `Assigned key has been banned by OpenAI for policy violations. ${tryAgainMessage}`;
} else if (type === "billing_not_active") {
// Billing is not active (key is dead, disable it)
keyPool.disable(req.key!);
errorPayload.proxy_note = `Assigned key was deactivated by OpenAI. ${tryAgainMessage}`;
} else if (type === "requests" || type === "tokens") {
// Per-minute request or token rate limit is exceeded, which we can retry
keyPool.markRateLimited(req.key!);
if (config.queueMode !== "none") {
reenqueueRequest(req);
// This is confusing, but it will bubble up to the top-level response
// handler and cause the request to go back into the request queue.
throw new RetryableError("Rate-limited request re-enqueued.");
}
errorPayload.proxy_note = `Assigned key's '${type}' rate limit has been exceeded. Try again later.`;
} else {
// OpenAI probably overloaded
errorPayload.proxy_note = `This is likely a temporary error with OpenAI. Try again in a few seconds.`;
}
return errorPayload;
}
const incrementKeyUsage: ProxyResHandlerWithBody = async (_proxyRes, req) => {
if (isCompletionRequest(req)) {
keyPool.incrementPrompt(req.key!);
if (req.user) {
incrementPromptCount(req.user.token);
}
}
};
const trackRateLimit: ProxyResHandlerWithBody = async (proxyRes, req) => {
keyPool.updateRateLimits(req.key!, proxyRes.headers);
};
const copyHttpHeaders: ProxyResHandlerWithBody = async (
proxyRes,
_req,
res
) => {
Object.keys(proxyRes.headers).forEach((key) => {
// Omit content-encoding because we will always decode the response body
if (key === "content-encoding") {
return;
}
// We're usually using res.json() to send the response, which causes express
// to set content-length. That's not valid for chunked responses and some
// clients will reject it so we need to omit it.
if (key === "transfer-encoding") {
return;
}
res.setHeader(key, proxyRes.headers[key] as string);
});
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/response/index.ts
|
TypeScript
|
unknown
| 15,681 |
import { Request } from "express";
import { config } from "../../../config";
import { AIService } from "../../../key-management";
import { logQueue } from "../../../prompt-logging";
import { isCompletionRequest } from "../common";
import { ProxyResHandlerWithBody } from ".";
import { logger } from "../../../logger";
/** If prompt logging is enabled, enqueues the prompt for logging. */
export const logPrompt: ProxyResHandlerWithBody = async (
_proxyRes,
req,
_res,
responseBody
) => {
if (!config.promptLogging) {
return;
}
if (typeof responseBody !== "object") {
throw new Error("Expected body to be an object");
}
if (!isCompletionRequest(req)) {
return;
}
const promptPayload = getPromptForRequest(req);
const promptFlattened = flattenMessages(promptPayload);
const response = getResponseForService({
service: req.outboundApi,
body: responseBody,
});
logQueue.enqueue({
endpoint: req.inboundApi,
promptRaw: JSON.stringify(promptPayload),
promptFlattened,
model: response.model, // may differ from the requested model
response: response.completion,
});
};
type OaiMessage = {
role: "user" | "assistant" | "system";
content: string;
};
const getPromptForRequest = (req: Request): string | OaiMessage[] => {
// Since the prompt logger only runs after the request has been proxied, we
// can assume the body has already been transformed to the target API's
// format.
if (req.outboundApi === "anthropic") {
return req.body.prompt;
} else {
return req.body.messages;
}
};
const flattenMessages = (messages: string | OaiMessage[]): string => {
if (typeof messages === "string") {
return messages.trim();
}
return messages.map((m) => `${m.role}: ${m.content}`).join("\n");
};
const getResponseForService = ({
service,
body,
}: {
service: AIService;
body: Record<string, any>;
}): { completion: string; model: string } => {
if (service === "anthropic") {
return { completion: body.completion.trim(), model: body.model };
} else {
return { completion: body.choices[0].message.content, model: body.model };
}
};
|
antigonus/desudeliveryservice
|
src/proxy/middleware/response/log-prompt.ts
|
TypeScript
|
unknown
| 2,144 |
import { RequestHandler, Request, Router } from "express";
import * as http from "http";
import { createProxyMiddleware } from "http-proxy-middleware";
import { config } from "../config";
import { keyPool } from "../key-management";
import { logger } from "../logger";
import { createQueueMiddleware } from "./queue";
import { ipLimiter } from "./rate-limit";
import { handleProxyError } from "./middleware/common";
import {
addKey,
blockZoomerOrigins,
createPreprocessorMiddleware,
finalizeBody,
languageFilter,
limitCompletions,
limitOutputTokens,
removeOriginHeaders,
} from "./middleware/request";
import {
createOnProxyResHandler,
ProxyResHandlerWithBody,
} from "./middleware/response";
let modelsCache: any = null;
let modelsCacheTime = 0;
function getModelsResponse() {
if (new Date().getTime() - modelsCacheTime < 1000 * 60) {
return modelsCache;
}
// https://platform.openai.com/docs/models/overview
const gptVariants = [
"gpt-4",
"gpt-4-0613",
"gpt-4-0314", // EOL 2023-09-13
"gpt-4-32k",
"gpt-4-32k-0613",
"gpt-4-32k-0314", // EOL 2023-09-13
"gpt-3.5-turbo",
"gpt-3.5-turbo-0301", // EOL 2023-09-13
"gpt-3.5-turbo-0613",
"gpt-3.5-turbo-16k",
"gpt-3.5-turbo-16k-0613",
];
const gpt4Available = keyPool.list().filter((key) => {
return key.service === "openai" && !key.isDisabled && key.isGpt4;
}).length;
const models = gptVariants
.map((id) => ({
id,
object: "model",
created: new Date().getTime(),
owned_by: "openai",
permission: [
{
id: "modelperm-" + id,
object: "model_permission",
created: new Date().getTime(),
organization: "*",
group: null,
is_blocking: false,
},
],
root: id,
parent: null,
}))
.filter((model) => {
if (model.id.startsWith("gpt-4")) {
return gpt4Available > 0;
}
return true;
});
modelsCache = { object: "list", data: models };
modelsCacheTime = new Date().getTime();
return modelsCache;
}
const handleModelRequest: RequestHandler = (_req, res) => {
res.status(200).json(getModelsResponse());
};
const rewriteRequest = (
proxyReq: http.ClientRequest,
req: Request,
res: http.ServerResponse
) => {
const rewriterPipeline = [
addKey,
languageFilter,
limitOutputTokens,
limitCompletions,
blockZoomerOrigins,
removeOriginHeaders,
finalizeBody,
];
try {
for (const rewriter of rewriterPipeline) {
rewriter(proxyReq, req, res, {});
}
} catch (error) {
req.log.error(error, "Error while executing proxy rewriter");
proxyReq.destroy(error as Error);
}
};
const openaiResponseHandler: ProxyResHandlerWithBody = async (
_proxyRes,
req,
res,
body
) => {
if (typeof body !== "object") {
throw new Error("Expected body to be an object");
}
if (config.promptLogging) {
const host = req.get("host");
body.proxy_note = `Prompts are logged on this proxy instance. See ${host} for more information.`;
}
// TODO: Remove once tokenization is stable
if (req.debug) {
body.proxy_tokenizer_debug_info = req.debug;
}
res.status(200).json(body);
};
const openaiProxy = createQueueMiddleware(
createProxyMiddleware({
target: "https://api.openai.com",
changeOrigin: true,
on: {
proxyReq: rewriteRequest,
proxyRes: createOnProxyResHandler([openaiResponseHandler]),
error: handleProxyError,
},
selfHandleResponse: true,
logger,
})
);
const openaiRouter = Router();
// Fix paths because clients don't consistently use the /v1 prefix.
openaiRouter.use((req, _res, next) => {
if (!req.path.startsWith("/v1/")) {
req.url = `/v1${req.url}`;
}
next();
});
openaiRouter.get("/v1/models", handleModelRequest);
openaiRouter.post(
"/v1/chat/completions",
ipLimiter,
createPreprocessorMiddleware({ inApi: "openai", outApi: "openai" }),
openaiProxy
);
// Redirect browser requests to the homepage.
openaiRouter.get("*", (req, res, next) => {
const isBrowser = req.headers["user-agent"]?.includes("Mozilla");
if (isBrowser) {
res.redirect("/");
} else {
next();
}
});
openaiRouter.use((req, res) => {
req.log.warn(`Blocked openai proxy request: ${req.method} ${req.path}`);
res.status(404).json({ error: "Not found" });
});
export const openai = openaiRouter;
|
antigonus/desudeliveryservice
|
src/proxy/openai.ts
|
TypeScript
|
unknown
| 4,423 |
/**
* Very scuffed request queue. OpenAI's GPT-4 keys have a very strict rate limit
* of 40000 generated tokens per minute. We don't actually know how many tokens
* a given key has generated, so our queue will simply retry requests that fail
* with a non-billing related 429 over and over again until they succeed.
*
* Dequeueing can operate in one of two modes:
* - 'fair': requests are dequeued in the order they were enqueued.
* - 'random': requests are dequeued randomly, not really a queue at all.
*
* When a request to a proxied endpoint is received, we create a closure around
* the call to http-proxy-middleware and attach it to the request. This allows
* us to pause the request until we have a key available. Further, if the
* proxied request encounters a retryable error, we can simply put the request
* back in the queue and it will be retried later using the same closure.
*/
import type { Handler, Request } from "express";
import { config, DequeueMode } from "../config";
import { keyPool, SupportedModel } from "../key-management";
import { logger } from "../logger";
import { AGNAI_DOT_CHAT_IP } from "./rate-limit";
import { buildFakeSseMessage } from "./middleware/common";
export type QueuePartition = "claude" | "turbo" | "gpt-4";
const queue: Request[] = [];
const log = logger.child({ module: "request-queue" });
let dequeueMode: DequeueMode = "fair";
/** Maximum number of queue slots for Agnai.chat requests. */
const AGNAI_CONCURRENCY_LIMIT = 15;
/** Maximum number of queue slots for individual users. */
const USER_CONCURRENCY_LIMIT = 1;
const sameIpPredicate = (incoming: Request) => (queued: Request) =>
queued.ip === incoming.ip;
const sameUserPredicate = (incoming: Request) => (queued: Request) => {
const incomingUser = incoming.user ?? { token: incoming.ip };
const queuedUser = queued.user ?? { token: queued.ip };
return queuedUser.token === incomingUser.token;
};
export function enqueue(req: Request) {
let enqueuedRequestCount = 0;
let isGuest = req.user?.token === undefined;
if (isGuest) {
enqueuedRequestCount = queue.filter(sameIpPredicate(req)).length;
} else {
enqueuedRequestCount = queue.filter(sameUserPredicate(req)).length;
}
// All Agnai.chat requests come from the same IP, so we allow them to have
// more spots in the queue. Can't make it unlimited because people will
// intentionally abuse it.
// Authenticated users always get a single spot in the queue.
const maxConcurrentQueuedRequests =
isGuest && req.ip === AGNAI_DOT_CHAT_IP
? AGNAI_CONCURRENCY_LIMIT
: USER_CONCURRENCY_LIMIT;
if (enqueuedRequestCount >= maxConcurrentQueuedRequests) {
if (req.ip === AGNAI_DOT_CHAT_IP) {
// Re-enqueued requests are not counted towards the limit since they
// already made it through the queue once.
if (req.retryCount === 0) {
throw new Error("Too many agnai.chat requests are already queued");
}
} else {
throw new Error("Your IP or token already has a request in the queue");
}
}
queue.push(req);
req.queueOutTime = 0;
// shitty hack to remove hpm's event listeners on retried requests
removeProxyMiddlewareEventListeners(req);
// If the request opted into streaming, we need to register a heartbeat
// handler to keep the connection alive while it waits in the queue. We
// deregister the handler when the request is dequeued.
if (req.body.stream === "true" || req.body.stream === true) {
const res = req.res!;
if (!res.headersSent) {
initStreaming(req);
}
req.heartbeatInterval = setInterval(() => {
if (process.env.NODE_ENV === "production") {
req.res!.write(": queue heartbeat\n\n");
} else {
req.log.info(`Sending heartbeat to request in queue.`);
const partition = getPartitionForRequest(req);
const avgWait = Math.round(getEstimatedWaitTime(partition) / 1000);
const currentDuration = Math.round((Date.now() - req.startTime) / 1000);
const debugMsg = `queue length: ${queue.length}; elapsed time: ${currentDuration}s; avg wait: ${avgWait}s`;
req.res!.write(buildFakeSseMessage("heartbeat", debugMsg, req));
}
}, 10000);
}
// Register a handler to remove the request from the queue if the connection
// is aborted or closed before it is dequeued.
const removeFromQueue = () => {
req.log.info(`Removing aborted request from queue.`);
const index = queue.indexOf(req);
if (index !== -1) {
queue.splice(index, 1);
}
if (req.heartbeatInterval) {
clearInterval(req.heartbeatInterval);
}
};
req.onAborted = removeFromQueue;
req.res!.once("close", removeFromQueue);
if (req.retryCount ?? 0 > 0) {
req.log.info({ retries: req.retryCount }, `Enqueued request for retry.`);
} else {
req.log.info(`Enqueued new request.`);
}
}
function getPartitionForRequest(req: Request): QueuePartition {
// There is a single request queue, but it is partitioned by model and API
// provider.
// - claude: requests for the Anthropic API, regardless of model
// - gpt-4: requests for the OpenAI API, specifically for GPT-4 models
// - turbo: effectively, all other requests
const provider = req.outboundApi;
const model = (req.body.model as SupportedModel) ?? "gpt-3.5-turbo";
if (provider === "anthropic") {
return "claude";
}
if (provider === "openai" && model.startsWith("gpt-4")) {
return "gpt-4";
}
return "turbo";
}
function getQueueForPartition(partition: QueuePartition): Request[] {
return queue.filter((req) => getPartitionForRequest(req) === partition);
}
export function dequeue(partition: QueuePartition): Request | undefined {
const modelQueue = getQueueForPartition(partition);
if (modelQueue.length === 0) {
return undefined;
}
let req: Request;
if (dequeueMode === "fair") {
// Dequeue the request that has been waiting the longest
req = modelQueue.reduce((prev, curr) =>
prev.startTime < curr.startTime ? prev : curr
);
} else {
// Dequeue a random request
const index = Math.floor(Math.random() * modelQueue.length);
req = modelQueue[index];
}
queue.splice(queue.indexOf(req), 1);
if (req.onAborted) {
req.res!.off("close", req.onAborted);
req.onAborted = undefined;
}
if (req.heartbeatInterval) {
clearInterval(req.heartbeatInterval);
}
// Track the time leaving the queue now, but don't add it to the wait times
// yet because we don't know if the request will succeed or fail. We track
// the time now and not after the request succeeds because we don't want to
// include the model processing time.
req.queueOutTime = Date.now();
return req;
}
/**
* Naive way to keep the queue moving by continuously dequeuing requests. Not
* ideal because it limits throughput but we probably won't have enough traffic
* or keys for this to be a problem. If it does we can dequeue multiple
* per tick.
**/
function processQueue() {
// This isn't completely correct, because a key can service multiple models.
// Currently if a key is locked out on one model it will also stop servicing
// the others, because we only track one rate limit per key.
const gpt4Lockout = keyPool.getLockoutPeriod("gpt-4");
const turboLockout = keyPool.getLockoutPeriod("gpt-3.5-turbo");
const claudeLockout = keyPool.getLockoutPeriod("claude-v1");
const reqs: (Request | undefined)[] = [];
if (gpt4Lockout === 0) {
reqs.push(dequeue("gpt-4"));
}
if (turboLockout === 0) {
reqs.push(dequeue("turbo"));
}
if (claudeLockout === 0) {
reqs.push(dequeue("claude"));
}
reqs.filter(Boolean).forEach((req) => {
if (req?.proceed) {
req.log.info({ retries: req.retryCount }, `Dequeuing request.`);
req.proceed();
}
});
setTimeout(processQueue, 50);
}
/**
* Kill stalled requests after 5 minutes, and remove tracked wait times after 2
* minutes.
**/
function cleanQueue() {
const now = Date.now();
const oldRequests = queue.filter(
(req) => now - (req.startTime ?? now) > 5 * 60 * 1000
);
oldRequests.forEach((req) => {
req.log.info(`Removing request from queue after 5 minutes.`);
killQueuedRequest(req);
});
const index = waitTimes.findIndex(
(waitTime) => now - waitTime.end > 300 * 1000
);
const removed = waitTimes.splice(0, index + 1);
log.trace(
{ stalledRequests: oldRequests.length, prunedWaitTimes: removed.length },
`Cleaning up request queue.`
);
setTimeout(cleanQueue, 20 * 1000);
}
export function start() {
processQueue();
cleanQueue();
log.info(`Started request queue.`);
}
let waitTimes: { partition: QueuePartition; start: number; end: number }[] = [];
/** Adds a successful request to the list of wait times. */
export function trackWaitTime(req: Request) {
waitTimes.push({
partition: getPartitionForRequest(req),
start: req.startTime!,
end: req.queueOutTime ?? Date.now(),
});
}
/** Returns average wait time in milliseconds. */
export function getEstimatedWaitTime(partition: QueuePartition) {
const now = Date.now();
const recentWaits = waitTimes.filter(
(wt) => wt.partition === partition && now - wt.end < 300 * 1000
);
if (recentWaits.length === 0) {
return 0;
}
return (
recentWaits.reduce((sum, wt) => sum + wt.end - wt.start, 0) /
recentWaits.length
);
}
export function getQueueLength(partition: QueuePartition | "all" = "all") {
if (partition === "all") {
return queue.length;
}
const modelQueue = getQueueForPartition(partition);
return modelQueue.length;
}
export function createQueueMiddleware(proxyMiddleware: Handler): Handler {
return (req, res, next) => {
if (config.queueMode === "none") {
return proxyMiddleware(req, res, next);
}
req.proceed = () => {
proxyMiddleware(req, res, next);
};
try {
enqueue(req);
} catch (err: any) {
req.res!.status(429).json({
type: "proxy_error",
message: err.message,
stack: err.stack,
proxy_note: `Only one request can be queued at a time. If you don't have another request queued, your IP or user token might be in use by another request.`,
});
}
};
}
function killQueuedRequest(req: Request) {
if (!req.res || req.res.writableEnded) {
req.log.warn(`Attempted to terminate request that has already ended.`);
return;
}
const res = req.res;
try {
const message = `Your request has been terminated by the proxy because it has been in the queue for more than 5 minutes. The queue is currently ${queue.length} requests long.`;
if (res.headersSent) {
const fakeErrorEvent = buildFakeSseMessage(
"proxy queue error",
message,
req
);
res.write(fakeErrorEvent);
res.end();
} else {
res.status(500).json({ error: message });
}
} catch (e) {
req.log.error(e, `Error killing stalled request.`);
}
}
function initStreaming(req: Request) {
req.log.info(`Initiating streaming for new queued request.`);
const res = req.res!;
res.statusCode = 200;
res.setHeader("Content-Type", "text/event-stream");
res.setHeader("Cache-Control", "no-cache");
res.setHeader("Connection", "keep-alive");
res.setHeader("X-Accel-Buffering", "no"); // nginx-specific fix
res.flushHeaders();
res.write("\n");
res.write(": joining queue\n\n");
}
/**
* http-proxy-middleware attaches a bunch of event listeners to the req and
* res objects which causes problems with our approach to re-enqueuing failed
* proxied requests. This function removes those event listeners.
* We don't have references to the original event listeners, so we have to
* look through the list and remove HPM's listeners by looking for particular
* strings in the listener functions. This is an astoundingly shitty way to do
* this, but it's the best I can come up with.
*/
function removeProxyMiddlewareEventListeners(req: Request) {
// node_modules/http-proxy-middleware/dist/plugins/default/debug-proxy-errors-plugin.js:29
// res.listeners('close')
const RES_ONCLOSE = `Destroying proxyRes in proxyRes close event`;
// node_modules/http-proxy-middleware/dist/plugins/default/debug-proxy-errors-plugin.js:19
// res.listeners('error')
const RES_ONERROR = `Socket error in proxyReq event`;
// node_modules/http-proxy/lib/http-proxy/passes/web-incoming.js:146
// req.listeners('aborted')
const REQ_ONABORTED = `proxyReq.abort()`;
// node_modules/http-proxy/lib/http-proxy/passes/web-incoming.js:156
// req.listeners('error')
const REQ_ONERROR = `if (req.socket.destroyed`;
const res = req.res!;
const resOnClose = res
.listeners("close")
.find((listener) => listener.toString().includes(RES_ONCLOSE));
if (resOnClose) {
res.removeListener("close", resOnClose as any);
}
const resOnError = res
.listeners("error")
.find((listener) => listener.toString().includes(RES_ONERROR));
if (resOnError) {
res.removeListener("error", resOnError as any);
}
const reqOnAborted = req
.listeners("aborted")
.find((listener) => listener.toString().includes(REQ_ONABORTED));
if (reqOnAborted) {
req.removeListener("aborted", reqOnAborted as any);
}
const reqOnError = req
.listeners("error")
.find((listener) => listener.toString().includes(REQ_ONERROR));
if (reqOnError) {
req.removeListener("error", reqOnError as any);
}
}
|
antigonus/desudeliveryservice
|
src/proxy/queue.ts
|
TypeScript
|
unknown
| 13,481 |
import { Request, Response, NextFunction } from "express";
import { config } from "../config";
export const AGNAI_DOT_CHAT_IP = "157.230.249.32";
const RATE_LIMIT_ENABLED = Boolean(config.modelRateLimit);
const RATE_LIMIT = Math.max(1, config.modelRateLimit);
const ONE_MINUTE_MS = 60 * 1000;
const lastAttempts = new Map<string, number[]>();
const expireOldAttempts = (now: number) => (attempt: number) =>
attempt > now - ONE_MINUTE_MS;
const getTryAgainInMs = (ip: string) => {
const now = Date.now();
const attempts = lastAttempts.get(ip) || [];
const validAttempts = attempts.filter(expireOldAttempts(now));
if (validAttempts.length >= RATE_LIMIT) {
return validAttempts[0] - now + ONE_MINUTE_MS;
} else {
lastAttempts.set(ip, [...validAttempts, now]);
return 0;
}
};
const getStatus = (ip: string) => {
const now = Date.now();
const attempts = lastAttempts.get(ip) || [];
const validAttempts = attempts.filter(expireOldAttempts(now));
return {
remaining: Math.max(0, RATE_LIMIT - validAttempts.length),
reset: validAttempts.length > 0 ? validAttempts[0] + ONE_MINUTE_MS : now,
};
};
/** Prunes attempts and IPs that are no longer relevant after one minutes. */
const clearOldAttempts = () => {
const now = Date.now();
for (const [ip, attempts] of lastAttempts.entries()) {
const validAttempts = attempts.filter(expireOldAttempts(now));
if (validAttempts.length === 0) {
lastAttempts.delete(ip);
} else {
lastAttempts.set(ip, validAttempts);
}
}
};
setInterval(clearOldAttempts, 10 * 1000);
export const getUniqueIps = () => {
return lastAttempts.size;
};
export const ipLimiter = (req: Request, res: Response, next: NextFunction) => {
if (!RATE_LIMIT_ENABLED) {
next();
return;
}
// Exempt Agnai.chat from rate limiting since it's shared between a lot of
// users. Dunno how to prevent this from being abused without some sort of
// identifier sent from Agnaistic to identify specific users.
if (req.ip === AGNAI_DOT_CHAT_IP) {
next();
return;
}
// If user is authenticated, key rate limiting by their token. Otherwise, key
// rate limiting by their IP address. Mitigates key sharing.
const rateLimitKey = req.user?.token || req.ip;
const { remaining, reset } = getStatus(rateLimitKey);
res.set("X-RateLimit-Limit", config.modelRateLimit.toString());
res.set("X-RateLimit-Remaining", remaining.toString());
res.set("X-RateLimit-Reset", reset.toString());
const tryAgainInMs = getTryAgainInMs(rateLimitKey);
if (tryAgainInMs > 0) {
res.set("Retry-After", tryAgainInMs.toString());
res.status(429).json({
error: {
type: "proxy_rate_limited",
message: `This proxy is rate limited to ${
config.modelRateLimit
} model requests per minute. Please try again in ${Math.ceil(
tryAgainInMs / 1000
)} seconds.`,
},
});
} else {
next();
}
};
|
antigonus/desudeliveryservice
|
src/proxy/rate-limit.ts
|
TypeScript
|
unknown
| 2,960 |
/* Accepts incoming requests at either the /kobold or /openai routes and then
routes them to the appropriate handler to be forwarded to the OpenAI API.
Incoming OpenAI requests are more or less 1:1 with the OpenAI API, but only a
subset of the API is supported. Kobold requests must be transformed into
equivalent OpenAI requests. */
import * as express from "express";
import { gatekeeper } from "./auth/gatekeeper";
import { kobold } from "./kobold";
import { openai } from "./openai";
import { anthropic } from "./anthropic";
const router = express.Router();
router.use(gatekeeper);
router.use("/kobold", kobold);
router.use("/openai", openai);
router.use("/anthropic", anthropic);
export { router as proxyRouter };
|
antigonus/desudeliveryservice
|
src/proxy/routes.ts
|
TypeScript
|
unknown
| 722 |
import { assertConfigIsValid, config } from "./config";
import "source-map-support/register";
import express from "express";
import cors from "cors";
import pinoHttp from "pino-http";
import childProcess from "child_process";
import { logger } from "./logger";
import { keyPool } from "./key-management";
import { adminRouter } from "./admin/routes";
import { proxyRouter } from "./proxy/routes";
import { handleInfoPage } from "./info-page";
import { logQueue } from "./prompt-logging";
import { start as startRequestQueue } from "./proxy/queue";
import { init as initUserStore } from "./proxy/auth/user-store";
import { init as initTokenizers } from "./tokenization";
import { checkOrigin } from "./proxy/check-origin";
const PORT = config.port;
const app = express();
// middleware
app.use(
pinoHttp({
quietReqLogger: true,
logger,
autoLogging: {
ignore: (req) => {
const ignored = ["/proxy/kobold/api/v1/model", "/health"];
return ignored.includes(req.url as string);
},
},
redact: {
paths: [
"req.headers.cookie",
'res.headers["set-cookie"]',
"req.headers.authorization",
'req.headers["x-api-key"]',
'req.headers["x-forwarded-for"]',
'req.headers["x-real-ip"]',
'req.headers["true-client-ip"]',
'req.headers["cf-connecting-ip"]',
// Don't log the prompt text on transform errors
"body.messages",
"body.prompt",
],
censor: "********",
},
})
);
app.get("/health", (_req, res) => res.sendStatus(200));
app.use((req, _res, next) => {
req.startTime = Date.now();
req.retryCount = 0;
next();
});
app.use(cors());
app.use(
express.json({ limit: "10mb" }),
express.urlencoded({ extended: true, limit: "10mb" })
);
// TODO: Detect (or support manual configuration of) whether the app is behind
// a load balancer/reverse proxy, which is necessary to determine request IP
// addresses correctly.
app.set("trust proxy", true);
// routes
app.use(checkOrigin);
app.get("/", handleInfoPage);
app.use("/admin", adminRouter);
app.use("/proxy", proxyRouter);
// 500 and 404
app.use((err: any, _req: unknown, res: express.Response, _next: unknown) => {
if (err.status) {
res.status(err.status).json({ error: err.message });
} else {
logger.error(err);
res.status(500).json({
error: {
type: "proxy_error",
message: err.message,
stack: err.stack,
proxy_note: `Reverse proxy encountered an internal server error.`,
},
});
}
});
app.use((_req: unknown, res: express.Response) => {
res.status(404).json({ error: "Not found" });
});
async function start() {
logger.info("Server starting up...");
await setBuildInfo();
logger.info("Checking configs and external dependencies...");
await assertConfigIsValid();
keyPool.init();
await initTokenizers();
if (config.gatekeeper === "user_token") {
await initUserStore();
}
if (config.promptLogging) {
logger.info("Starting prompt logging...");
logQueue.start();
}
if (config.queueMode !== "none") {
logger.info("Starting request queue...");
startRequestQueue();
}
app.listen(PORT, async () => {
logger.info({ port: PORT }, "Now listening for connections.");
registerUncaughtExceptionHandler();
});
logger.info(
{ build: process.env.BUILD_INFO, nodeEnv: process.env.NODE_ENV },
"Startup complete."
);
}
function registerUncaughtExceptionHandler() {
process.on("uncaughtException", (err: any) => {
logger.error(
{ err, stack: err?.stack },
"UNCAUGHT EXCEPTION. Please report this error trace."
);
});
process.on("unhandledRejection", (err: any) => {
logger.error(
{ err, stack: err?.stack },
"UNCAUGHT PROMISE REJECTION. Please report this error trace."
);
});
}
/**
* Attepts to collect information about the current build from either the
* environment or the git repo used to build the image (only works if not
* .dockerignore'd). If you're running a sekrit club fork, you can no-op this
* function and set the BUILD_INFO env var manually, though I would prefer you
* didn't set it to something misleading.
*/
async function setBuildInfo() {
// Render .dockerignore's the .git directory but provides info in the env
if (process.env.RENDER) {
const sha = process.env.RENDER_GIT_COMMIT?.slice(0, 7) || "unknown SHA";
const branch = process.env.RENDER_GIT_BRANCH || "unknown branch";
const repo = process.env.RENDER_GIT_REPO_SLUG || "unknown repo";
const buildInfo = `${sha} (${branch}@${repo})`;
process.env.BUILD_INFO = buildInfo;
logger.info({ build: buildInfo }, "Got build info from Render config.");
return;
}
try {
// Ignore git's complaints about dubious directory ownership on Huggingface
// (which evidently runs dockerized Spaces on Windows with weird NTFS perms)
if (process.env.SPACE_ID) {
childProcess.execSync("git config --global --add safe.directory /app");
}
const promisifyExec = (cmd: string) =>
new Promise((resolve, reject) => {
childProcess.exec(cmd, (err, stdout) =>
err ? reject(err) : resolve(stdout)
);
});
const promises = [
promisifyExec("git rev-parse --short HEAD"),
promisifyExec("git rev-parse --abbrev-ref HEAD"),
promisifyExec("git config --get remote.origin.url"),
promisifyExec("git status --porcelain"),
].map((p) => p.then((result: any) => result.toString().trim()));
let [sha, branch, remote, status] = await Promise.all(promises);
remote = remote.match(/.*[\/:]([\w-]+)\/([\w\-\.]+?)(?:\.git)?$/) || [];
const repo = remote.slice(-2).join("/");
status = status
// ignore Dockerfile changes since that's how the user deploys the app
.split("\n")
.filter((line: string) => !line.endsWith("Dockerfile") && line);
const changes = status.length > 0;
const build = `${sha}${changes ? " (modified)" : ""} (${branch}@${repo})`;
process.env.BUILD_INFO = build;
logger.info({ build, status, changes }, "Got build info from Git.");
} catch (error: any) {
logger.error(
{
error,
stdout: error.stdout?.toString(),
stderr: error.stderr?.toString(),
},
"Failed to get commit SHA.",
error
);
process.env.BUILD_INFO = "unknown";
}
}
start();
|
antigonus/desudeliveryservice
|
src/server.ts
|
TypeScript
|
unknown
| 6,420 |
import { spawn, ChildProcess } from "child_process";
import { join } from "path";
import { logger } from "../logger";
const TOKENIZER_SOCKET = "tcp://localhost:5555";
const log = logger.child({ module: "claude-ipc" });
const pythonLog = logger.child({ module: "claude-python" });
let tokenizer: ChildProcess;
let initialized = false;
let socket: any; // zeromq.Dealer, not sure how to import it safely as it is optional
export async function init() {
log.info("Initializing Claude tokenizer IPC");
try {
tokenizer = await launchTokenizer();
const zmq = await import("zeromq");
socket = new zmq.Dealer({ sendTimeout: 500 });
socket.connect(TOKENIZER_SOCKET);
await socket.send(["init"]);
const response = await socket.receive();
if (response.toString() !== "ok") {
throw new Error("Unexpected init response");
}
// Start message pump
processMessages();
// Test tokenizer
const result = await requestTokenCount({
requestId: "init-test",
prompt: "test prompt",
});
if (result !== 2) {
log.error({ result }, "Unexpected test token count");
throw new Error("Unexpected test token count");
}
initialized = true;
} catch (err) {
log.error({ err: err.message }, "Failed to initialize Claude tokenizer");
if (process.env.NODE_ENV !== "production") {
console.error(
`\nClaude tokenizer failed to initialize.\nIf you want to use the tokenizer, see the Optional Dependencies documentation.\n`
);
}
return false;
}
log.info("Claude tokenizer IPC ready");
return true;
}
const pendingRequests = new Map<
string,
{ resolve: (tokens: number) => void }
>();
export async function requestTokenCount({
requestId,
prompt,
}: {
requestId: string;
prompt: string;
}) {
if (!socket) {
throw new Error("Claude tokenizer is not initialized");
}
log.debug({ requestId, chars: prompt.length }, "Requesting token count");
await socket.send(["tokenize", requestId, prompt]);
log.debug({ requestId }, "Waiting for socket response");
return new Promise<number>(async (resolve, reject) => {
const resolveFn = (tokens: number) => {
log.debug({ requestId, tokens }, "Received token count");
pendingRequests.delete(requestId);
resolve(tokens);
};
pendingRequests.set(requestId, { resolve: resolveFn });
const timeout = initialized ? 500 : 10000;
setTimeout(() => {
if (pendingRequests.has(requestId)) {
pendingRequests.delete(requestId);
const err = "Tokenizer deadline exceeded";
log.warn({ requestId }, err);
reject(new Error(err));
}
}, timeout);
});
}
async function processMessages() {
if (!socket) {
throw new Error("Claude tokenizer is not initialized");
}
log.debug("Starting message loop");
for await (const [requestId, tokens] of socket) {
const request = pendingRequests.get(requestId.toString());
if (!request) {
log.error({ requestId }, "No pending request found for incoming message");
continue;
}
request.resolve(Number(tokens.toString()));
}
}
async function launchTokenizer() {
return new Promise<ChildProcess>((resolve, reject) => {
let resolved = false;
const python = process.platform === "win32" ? "python" : "python3";
const proc = spawn(python, [
"-u",
join(__dirname, "tokenization", "claude-tokenizer.py"),
]);
if (!proc) {
reject(new Error("Failed to spawn Claude tokenizer"));
}
function cleanup() {
socket?.close();
socket = undefined!;
tokenizer = undefined!;
}
proc.stdout!.on("data", (data) => {
pythonLog.info(data.toString().trim());
});
proc.stderr!.on("data", (data) => {
pythonLog.error(data.toString().trim());
});
proc.on("error", (err) => {
pythonLog.error({ err }, "Claude tokenizer error");
cleanup();
if (!resolved) {
resolved = true;
reject(err);
}
});
proc.on("close", (code) => {
pythonLog.info(`Claude tokenizer exited with code ${code}`);
cleanup();
if (code !== 0 && !resolved) {
resolved = true;
reject(new Error("Claude tokenizer exited immediately"));
}
});
// Wait a moment to catch any immediate errors (missing imports, etc)
setTimeout(() => {
if (!resolved) {
resolved = true;
resolve(proc);
}
}, 200);
});
}
|
antigonus/desudeliveryservice
|
src/tokenization/claude-ipc.ts
|
TypeScript
|
unknown
| 4,484 |
"""
This is a small process running alongside the main NodeJS server intended to
tokenize prompts for Claude, as currently Anthropic only ships a Python
implemetnation for their tokenizer.
ZeroMQ is used for IPC between the NodeJS server and this process.
"""
import zmq
import anthropic
def create_socket():
context = zmq.Context()
socket = context.socket(zmq.ROUTER)
socket.bind("tcp://*:5555")
return context, socket
def init(socket):
print("claude-tokenizer.py: starting")
try:
while True:
message = socket.recv_multipart()
routing_id, command = message
if command == b"init":
print("claude-tokenizer.py: initialized")
socket.send_multipart([routing_id, b"ok"])
break
except Exception as e:
print("claude-tokenizer.py: failed to initialize")
return
message_processor(socket)
def message_processor(socket):
while True:
try:
message = socket.recv_multipart()
routing_id, command, request_id, payload = message
payload = payload.decode("utf-8")
if command == b"exit":
print("claude-tokenizer.py: exiting")
break
elif command == b"tokenize":
token_count = anthropic.count_tokens(payload)
socket.send_multipart([routing_id, request_id, str(token_count).encode("utf-8")])
else:
print("claude-tokenizer.py: unknown message type")
except Exception as e:
print(f"claude-tokenizer.py: failed to process message ({e})")
break
if __name__ == "__main__":
context, socket = create_socket()
init(socket)
socket.close()
context.term()
|
antigonus/desudeliveryservice
|
src/tokenization/claude-tokenizer.py
|
Python
|
unknown
| 1,797 |
export { init, countTokens } from "./tokenizer";
|
antigonus/desudeliveryservice
|
src/tokenization/index.ts
|
TypeScript
|
unknown
| 49 |
import { Tiktoken } from "tiktoken/lite";
import cl100k_base from "tiktoken/encoders/cl100k_base.json";
let encoder: Tiktoken;
export function init() {
encoder = new Tiktoken(
cl100k_base.bpe_ranks,
cl100k_base.special_tokens,
cl100k_base.pat_str
);
return true;
}
// Implmentation based and tested against:
// https://github.com/openai/openai-cookbook/blob/main/examples/How_to_count_tokens_with_tiktoken.ipynb
export function getTokenCount(messages: any[], model: string) {
const gpt4 = model.startsWith("gpt-4");
const tokensPerMessage = gpt4 ? 3 : 4;
const tokensPerName = gpt4 ? 1 : -1; // turbo omits role if name is present
let numTokens = 0;
for (const message of messages) {
numTokens += tokensPerMessage;
for (const key of Object.keys(message)) {
{
const value = message[key];
// Break if we get a huge message or exceed the token limit to prevent DoS
// 100k tokens allows for future 100k GPT-4 models and 250k characters is
// just a sanity check
if (value.length > 250000 || numTokens > 100000) {
numTokens = 100000;
return {
tokenizer: "tiktoken (prompt length limit exceeded)",
token_count: numTokens,
};
}
numTokens += encoder.encode(message[key]).length;
if (key === "name") {
numTokens += tokensPerName;
}
}
}
}
numTokens += 3; // every reply is primed with <|start|>assistant<|message|>
return { tokenizer: "tiktoken", token_count: numTokens };
}
export type OpenAIPromptMessage = {
name?: string;
content: string;
role: string;
};
|
antigonus/desudeliveryservice
|
src/tokenization/openai.ts
|
TypeScript
|
unknown
| 1,660 |
import { Request } from "express";
import childProcess from "child_process";
import { config } from "../config";
import { logger } from "../logger";
import {
init as initIpc,
requestTokenCount as requestClaudeTokenCount,
} from "./claude-ipc";
import {
init as initEncoder,
getTokenCount as getOpenAITokenCount,
OpenAIPromptMessage,
} from "./openai";
let canTokenizeClaude = false;
export async function init() {
if (config.anthropicKey) {
if (!isPythonInstalled()) {
const skipWarning = !!process.env.DISABLE_MISSING_PYTHON_WARNING;
process.env.MISSING_PYTHON_WARNING = skipWarning ? "" : "true";
} else {
canTokenizeClaude = await initIpc();
if (!canTokenizeClaude) {
logger.warn(
"Anthropic key is set, but tokenizer is not available. Claude prompts will use a naive estimate for token count."
);
}
}
}
if (config.openaiKey) {
initEncoder();
}
}
type TokenCountResult = {
token_count: number;
tokenizer: string;
tokenization_duration_ms: number;
};
type TokenCountRequest = {
req: Request;
} & (
| { prompt: string; service: "anthropic" }
| { prompt: OpenAIPromptMessage[]; service: "openai" }
);
export async function countTokens({
req,
service,
prompt,
}: TokenCountRequest): Promise<TokenCountResult> {
const time = process.hrtime();
switch (service) {
case "anthropic":
if (!canTokenizeClaude) {
const result = guesstimateTokens(prompt);
return {
token_count: result,
tokenizer: "guesstimate (claude-ipc disabled)",
tokenization_duration_ms: getElapsedMs(time),
};
}
// If the prompt is absolutely massive (possibly malicious) don't even try
if (prompt.length > 500000) {
return {
token_count: guesstimateTokens(JSON.stringify(prompt)),
tokenizer: "guesstimate (prompt too long)",
tokenization_duration_ms: getElapsedMs(time),
};
}
try {
const result = await requestClaudeTokenCount({
requestId: String(req.id),
prompt,
});
return {
token_count: result,
tokenizer: "claude-ipc",
tokenization_duration_ms: getElapsedMs(time),
};
} catch (e: any) {
req.log.error("Failed to tokenize with claude_tokenizer", e);
const result = guesstimateTokens(prompt);
return {
token_count: result,
tokenizer: `guesstimate (claude-ipc failed: ${e.message})`,
tokenization_duration_ms: getElapsedMs(time),
};
}
case "openai":
const result = getOpenAITokenCount(prompt, req.body.model);
return {
...result,
tokenization_duration_ms: getElapsedMs(time),
};
default:
throw new Error(`Unknown service: ${service}`);
}
}
function getElapsedMs(time: [number, number]) {
const diff = process.hrtime(time);
return diff[0] * 1000 + diff[1] / 1e6;
}
function guesstimateTokens(prompt: string) {
// From Anthropic's docs:
// The maximum length of prompt that Claude can see is its context window.
// Claude's context window is currently ~6500 words / ~8000 tokens /
// ~28000 Unicode characters.
// This suggests 0.28 tokens per character but in practice this seems to be
// a substantial underestimate in some cases.
return Math.ceil(prompt.length * 0.325);
}
function isPythonInstalled() {
try {
const python = process.platform === "win32" ? "python" : "python3";
childProcess.execSync(`${python} --version`, { stdio: "ignore" });
return true;
} catch (err) {
logger.debug({ err: err.message }, "Python not installed.");
return false;
}
}
|
antigonus/desudeliveryservice
|
src/tokenization/tokenizer.ts
|
TypeScript
|
unknown
| 3,731 |
import { Express } from "express-serve-static-core";
import { AIService, Key } from "../key-management/index";
import { User } from "../proxy/auth/user-store";
declare global {
namespace Express {
interface Request {
key?: Key;
/** Denotes the format of the user's submitted request. */
inboundApi: AIService | "kobold";
/** Denotes the format of the request being proxied to the API. */
outboundApi: AIService;
user?: User;
isStreaming?: boolean;
startTime: number;
retryCount: number;
queueOutTime?: number;
onAborted?: () => void;
proceed: () => void;
heartbeatInterval?: NodeJS.Timeout;
promptTokens?: number;
// TODO: remove later
debug: Record<string, any>;
}
}
}
|
antigonus/desudeliveryservice
|
src/types/custom.d.ts
|
TypeScript
|
unknown
| 779 |
{
"compilerOptions": {
"strict": true,
"target": "ES2020",
"module": "CommonJS",
"moduleResolution": "node",
"esModuleInterop": true,
"forceConsistentCasingInFileNames": true,
"skipLibCheck": true,
"skipDefaultLibCheck": true,
"outDir": "build",
"sourceMap": true,
"resolveJsonModule": true,
"useUnknownInCatchVariables": false
},
"include": ["src"],
"exclude": ["node_modules"],
"files": ["src/types/custom.d.ts"]
}
|
antigonus/desudeliveryservice
|
tsconfig.json
|
JSON
|
unknown
| 475 |
collider
collider.exe
test_find
test_find.exe
*.o
*.obj
*.pdb
*.s
*.S
*.log
gmon.out
|
qa/tari
|
.gitignore
|
Git
|
unknown
| 85 |
LDFLAGS += -lz
.PHONY: all clean
all: collider
cheats_bsearch.o: cheats_bsearch.c cheats.h
cheats_switch.o: cheats_switch.c cheats.h
cheats_hmap.o: cheats_hmap.c cheats.h
random.o: random.c random.h
collider.o: collider.c cheats.h random.h
collider: collider.o cheats_hmap.o random.o
test_find: test_find.c cheats.h cheats_hmap.o
clean:
rm -f *.o collider test_find gmon.out
|
qa/tari
|
Makefile
|
Makefile
|
unknown
| 376 |
all: collider.exe
collider.exe: collider.obj cheats_hmap.obj random.obj
$(CC) $** advapi32.lib ntdll.lib
test_find.exe: test_find.obj cheats_hmap.obj
$(CC) $** ntdll.lib
clean:
del *.obj *.pdb collider.exe test_find.exe
|
qa/tari
|
NMakefile
|
none
|
unknown
| 223 |
#include <stdint.h>
#include <stddef.h>
extern const char *cheat_lookup(uint32_t);
extern uint32_t cheat_calculate_crc(const char *);
|
qa/tari
|
cheats.h
|
C++
|
unknown
| 134 |
LXGIWYL = Weapon Set 1, Thug's Tools
PROFESSIONALSKIT = Weapon Set 2, Professional Tools
UZUMYMW = Weapon Set 3, Nutter Tools
HESOYAM = Health, Armor, $250k
BAGUVIX = Semi-Infinite Health
CVWKXAM = Infinite Oxygen
ANOSEONGLASS = Adrenaline Mode
FULLCLIP = Infinite Ammo, No Reload
TURNUPTHEHEAT = Increase Wanted Level Two Stars
TURNDOWNTHEHEAT = Clear Wanted Level
BTCDBCB = Fat
BUFFMEUP = Max Muscle
KVGYZQK = Skinny
AEZAKMI = Never Wanted
BRINGITON = Six Star Wanted Level
WORSHIPME = Max Respect
HELLOLADIES = Max Sex Appeal
VKYPQCF = Max Stamina
PROFESSIONALKILLER = Hitman In All Weapon Stats
NATURALTALENT = Max All Vehicle Skill Stats
AIWPRTON = Spawn Rhino
OLDSPEEDDEMON = Spawn Bloodring Banger
JQNTDMH = Spawn Rancher
VROCKPOKEY = Spawn Racecar
VPJTQWV = Spawn Racecar
WHERESTHEFUNERAL = Spawn Romero
CELEBRITYSTATUS = Spawn Stretch
TRUEGRIME = Spawn Trashmaster
RZHSUEW = Spawn Caddy
JUMPJET = Spawn Hydra
KGGGDKP = Spawn Vortex Hovercraft
AIYPWZQP = Have Parachute
ROCKETMAN = Have Jetpack
OHDUDE = Spawn Hunter
FOURWHEELFUN = Spawn Quad
AMOMHRER = Spawn Tanker Truck
ITSALLBULL = Spawn Dozer
FLYINGTOSTUNT = Spawn Stunt Plane
MONSTERMASH = Spawn Monster
CPKTNWT = Blow Up All Cars
WHEELSONLYPLEASE = Invisible car
STICKLIKEGLUE = Perfect Handling
ZEIIVG = All green lights
YLTEICZ = Aggressive Drivers
LLQPFBN = Pink traffic
IOWDLAC = Black traffic
FLYINGFISH = Boats fly
EVERYONEISPOOR = Traffic is Cheap Cars
EVERYONEISRICH = Traffic is Fast Cars
CHITTYCHITTYBANGBANG = Cars Fly
JCNRUAD = Smash n' Boom
SPEEDFREAK = All Cars Have Nitro
BUBBLECARS = Cars Float Away When Hit
OUIQDMW = Free Aim While Driving
GHOSTTOWN = Reduced Traffic
FVTMNBZ = Traffic is Country Vehicles
BMTPWHR = Country Vehicles and Peds, Get Born 2 Truck Outfit
SPEEDITUP = Faster Gameplay
SLOWITDOWN = Slower Gameplay
AJLOJYQY = Peds Attack Each Other, Get Golf Club
BAGOWPG = Have a bounty on your head
FOOOXFT = Everyone is armed
GOODBYECRUELWORLD = Suicide
BLUESUEDESHOES = Elvis is Everywhere
BGLUAWML = Peds Attack You With Weapons, Rocket Launcher
LIFESABEACH = Beach Party
ONLYHOMIESALLOWED = Gang Members Everywhere
BIFBUZZ = Gangs Control the Streets
NINJATOWN = Ninja Theme
BEKKNQV = Slut Magnet
CJPHONEHOME = Huge Bunny Hop
KANGAROO = Mega Jump
STATEOFEMERGENCY = Riot Mode
CRAZYTOWN = Funhouse Theme
SJMAHPE = Recruit Anyone (9mm)
ROCKETMAYHEM = Recruit Anyone (Rockets)
PLEASANTLYWARM = Sunny Weather
TOODAMNHOT = Very Sunny Weather
ALNSFMZO = Overcast Weather
AUIFRVQS = Rainy Weather
CFVFGMJ = Foggy Weather
YSOHNUL = Faster Clock
NIGHTPROWLER = Always Midnight
OFVIAC = Orange Sky 21:00
SCOTTISHSUMMER = Thunderstorm
CWJXUOC = Sandstorm
|
qa/tari
|
cheats.txt
|
Text
|
unknown
| 2,642 |
#include <string.h>
#include <stdlib.h>
#include "cheats.h"
#ifdef _MSC_VER
#define WIN32_LEAN_AND_MEAN
#include <windows.h>
DWORD NTAPI RtlComputeCrc32(DWORD, const BYTE*, INT);
#include <stdio.h>
#endif
struct cheat {
uint32_t crc;
char *description;
};
static const struct cheat cheats[] = {
{0x01258808, "Six Star Wanted Level"},
{0x0300e2f7, "Faster Clock"},
{0x05722ba4, "Cars Fly"},
{0x0ac10a5a, "Riot Mode"},
{0x0b90d05b, "Thunderstorm"},
{0x0c9cba57, "Adrenaline Mode"},
{0x0d55f3e2, "Funhouse Theme"},
{0x0fed7916, "Max Stamina"},
{0x113315d4, "Health, Armor, $250k"},
{0x16a78775, "Spawn Hunter"},
{0x17bd0c43, "Perfect Handling"},
{0x19c4f266, "Spawn Stretch"},
{0x1a806931, "Have Parachute"},
{0x1b63c12b, "Spawn Tanker Truck"},
{0x1e10fe15, "Very Sunny Weather"},
{0x1e4cc146, "Never Wanted"},
{0x21b4dc82, "Weapon Set 1, Thug's Tools"},
{0x22912616, "Peds Attack Each Other, Get Golf Club"},
{0x243f229a, "Spawn Bloodring Banger"},
{0x2a30b100, "Recruit Anyone (Rockets)"},
{0x2b6992a6, "Max Muscle"},
{0x2f75cf01, "Spawn Racecar"},
{0x30a025e7, "Max Sex Appeal"},
{0x343a8620, "Beach Party"},
{0x35136b11, "Reduced Traffic"},
{0x3da32400, "Country Vehicles and Peds, Get Born 2 Truck Outfit"},
{0x48fec4e4, "Free Aim While Driving"},
{0x49617acd, "Faster Gameplay"},
{0x4a2bf799, "Spawn Romero"},
{0x4c4c18d5, "Recruit Anyone (9mm)"},
{0x4d501c97, "Traffic is Fast Cars"},
{0x4dd5d72e, "Weapon Set 2, Professional Tools"},
{0x4f82c4cd, "Smash n' Boom"},
{0x4fe2ec47, "Aggressive Drivers"},
{0x52059bf5, "Infinite Oxygen"},
{0x57be33f5, "Hitman In All Weapon Stats"},
{0x589ec066, "Elvis is Everywhere"},
{0x5b7588f4, "Spawn Vortex Hovercraft"},
{0x5d6f0273, "Have a bounty on your head"},
{0x72128a42, "Huge Bunny Hop"},
{0x747d7f89, "Slower Gameplay"},
{0x766f2a1e, "Infinite Ammo, No Reload"},
{0x77a2f4af, "Mega Jump"},
{0x79677251, "Spawn Stunt Plane"},
{0x7f3e1ab4, "All Cars Have Nitro"},
{0x807f46af, "Always Midnight"},
{0x87adf1cc, "Boats fly"},
{0x88e47c03, "Overcast Weather"},
{0x8b2b034e, "All green lights"},
{0x8fe9bc7a, "Sandstorm"},
{0x93f059af, "Orange Sky 21:00"},
{0x97fbe94e, "Max Respect"},
{0x98a476ba, "Spawn Trashmaster"},
{0x99ae9143, "Pink traffic"},
{0xa02e4b62, "Skinny"},
{0xa252ff78, "Cars Float Away When Hit"},
{0xa40ed7b7, "Rainy Weather"},
{0xa587c051, "Weapon Set 3, Nutter Tools"},
{0xaaa03dfe, "Clear Wanted Level"},
{0xb0123300, "Gang Members Everywhere"},
{0xb4ec81ba, "Black traffic"},
{0xb6782a11, "Spawn Caddy"},
{0xbb4cb799, "Gangs Control the Streets"},
{0xbbbac5e8, "Foggy Weather"},
{0xbc246eb1, "Spawn Rhino"},
{0xbd50e1d7, "Increase Wanted Level Two Stars"},
{0xc5a88cda, "Fat"},
{0xc840e4b1, "Spawn Racecar"},
{0xcb7b4a58, "Everyone is armed"},
{0xce0f3c33, "Traffic is Country Vehicles"},
{0xce15f630, "Max All Vehicle Skill Stats"},
{0xd1078824, "Ninja Theme"},
{0xd1707b17, "Blow Up All Cars"},
{0xd422d05e, "Spawn Monster"},
{0xd43e5fba, "Traffic is Cheap Cars"},
{0xd57bacba, "Sunny Weather"},
{0xd87e1868, "Slut Magnet"},
{0xe5655c29, "Invisible car"},
{0xe5aad943, "Spawn Hydra"},
{0xe86d278e, "Peds Attack You With Weapons, Rocket Launcher"},
{0xe8e45733, "Spawn Dozer"},
{0xeae4234c, "Semi-Infinite Health"},
{0xf2a395b1, "Suicide"},
{0xfbf3089e, "Have Jetpack"},
{0xfd37c583, "Spawn Quad"},
{0xffffffff, "Spawn Rancher"},
{0, NULL}
};
#define CHEAT_COUNT (sizeof(cheats) / sizeof(struct cheat) - 1)
static int cheat_compar(const void *c1, const void *c2) {
const uint32_t key = *((const uint32_t*) c1);
const uint32_t val = ((struct cheat*) c2)->crc;
if (key < val) return -1;
if (key == val) return 0;
return 1;
}
const char *cheat_lookup(uint32_t crc) {
uint32_t key = crc;
void *found = bsearch(&key, cheats, CHEAT_COUNT, sizeof(struct cheat), cheat_compar);
if (found) {
return ((struct cheat *) found)->description;
} else {
return NULL;
}
}
#ifdef _MSC_VER
#define crc32 RtlComputeCrc32
#else
/* from zlib.h */
extern uint32_t crc32_z(uint32_t, const char *, size_t);
#define crc32 crc32_z
#endif
uint32_t cheat_calculate_crc(const char *str) {
size_t len = strlen(str);
return crc32(0, str, len);
}
|
qa/tari
|
cheats_bsearch.c
|
C++
|
unknown
| 4,194 |
#include <string.h>
#include <stdint.h>
#include <stdlib.h>
#include "cheats.h"
#ifdef _MSC_VER
#define WIN32_LEAN_AND_MEAN
#include <windows.h>
DWORD NTAPI RtlComputeCrc32(DWORD, const BYTE*, INT);
#endif
static const char *cheat_desc[] = {
NULL,
"Six Star Wanted Level",
"Faster Clock",
"Cars Fly",
"Riot Mode",
"Thunderstorm",
"Adrenaline Mode",
"Funhouse Theme",
"Max Stamina",
"Health, Armor, $250k",
"Spawn Hunter",
"Perfect Handling",
"Spawn Stretch",
"Have Parachute",
"Spawn Tanker Truck",
"Very Sunny Weather",
"Never Wanted",
"Weapon Set 1, Thug's Tools",
"Peds Attack Each Other, Get Golf Club",
"Spawn Bloodring Banger",
"Recruit Anyone (Rockets)",
"Max Muscle",
"Spawn Racecar",
"Max Sex Appeal",
"Beach Party",
"Reduced Traffic",
"Country Vehicles and Peds, Get Born 2 Truck Outfit",
"Free Aim While Driving",
"Faster Gameplay",
"Spawn Romero",
"Recruit Anyone (9mm)",
"Traffic is Fast Cars",
"Weapon Set 2, Professional Tools",
"Smash n' Boom",
"Aggressive Drivers",
"Infinite Oxygen",
"Hitman In All Weapon Stats",
"Elvis is Everywhere",
"Spawn Vortex Hovercraft",
"Have a bounty on your head",
"Huge Bunny Hop",
"Slower Gameplay",
"Infinite Ammo, No Reload",
"Mega Jump",
"Spawn Stunt Plane",
"All Cars Have Nitro",
"Always Midnight",
"Boats fly",
"Overcast Weather",
"All green lights",
"Sandstorm",
"Orange Sky 21:00",
"Max Respect",
"Spawn Trashmaster",
"Pink traffic",
"Skinny",
"Cars Float Away When Hit",
"Rainy Weather",
"Weapon Set 3, Nutter Tools",
"Clear Wanted Level",
"Gang Members Everywhere",
"Black traffic",
"Spawn Caddy",
"Gangs Control the Streets",
"Foggy Weather",
"Spawn Rhino",
"Increase Wanted Level Two Stars",
"Fat",
"Spawn Racecar",
"Everyone is armed",
"Traffic is Country Vehicles",
"Max All Vehicle Skill Stats",
"Ninja Theme",
"Blow Up All Cars",
"Spawn Monster",
"Traffic is Cheap Cars",
"Sunny Weather",
"Slut Magnet",
"Invisible car",
"Spawn Hydra",
"Peds Attack You With Weapons, Rocket Launcher",
"Spawn Dozer",
"Semi-Infinite Health",
"Suicide",
"Have Jetpack",
"Spawn Quad",
"Spawn Rancher"
};
static const uint32_t cheat_code[] = {
0x01258808,
0x0300e2f7,
0x05722ba4,
0x0ac10a5a,
0x0b90d05b,
0x0c9cba57,
0x0d55f3e2,
0x0fed7916,
0x113315d4,
0x16a78775,
0x17bd0c43,
0x19c4f266,
0x1a806931,
0x1b63c12b,
0x1e10fe15,
0x1e4cc146,
0x21b4dc82,
0x22912616,
0x243f229a,
0x2a30b100,
0x2b6992a6,
0x2f75cf01,
0x30a025e7,
0x343a8620,
0x35136b11,
0x3da32400,
0x48fec4e4,
0x49617acd,
0x4a2bf799,
0x4c4c18d5,
0x4d501c97,
0x4dd5d72e,
0x4f82c4cd,
0x4fe2ec47,
0x52059bf5,
0x57be33f5,
0x589ec066,
0x5b7588f4,
0x5d6f0273,
0x72128a42,
0x747d7f89,
0x766f2a1e,
0x77a2f4af,
0x79677251,
0x7f3e1ab4,
0x807f46af,
0x87adf1cc,
0x88e47c03,
0x8b2b034e,
0x8fe9bc7a,
0x93f059af,
0x97fbe94e,
0x98a476ba,
0x99ae9143,
0xa02e4b62,
0xa252ff78,
0xa40ed7b7,
0xa587c051,
0xaaa03dfe,
0xb0123300,
0xb4ec81ba,
0xb6782a11,
0xbb4cb799,
0xbbbac5e8,
0xbc246eb1,
0xbd50e1d7,
0xc5a88cda,
0xc840e4b1,
0xcb7b4a58,
0xce0f3c33,
0xce15f630,
0xd1078824,
0xd1707b17,
0xd422d05e,
0xd43e5fba,
0xd57bacba,
0xd87e1868,
0xe5655c29,
0xe5aad943,
0xe86d278e,
0xe8e45733,
0xeae4234c,
0xf2a395b1,
0xfbf3089e,
0xfd37c583,
0xffffffff
};
struct bucket {
uint8_t size;
uint8_t off;
};
#define EMPTY_BUCKET {0, 0}
static const struct bucket cheat_bucket[] = {
EMPTY_BUCKET,
{1, 0},
EMPTY_BUCKET,
{1, 1},
EMPTY_BUCKET,
{1, 2},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 3},
{1, 4},
{1, 5},
{1, 6},
EMPTY_BUCKET,
{1, 7},
EMPTY_BUCKET,
{1, 8},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 9},
{1, 10},
EMPTY_BUCKET,
{1, 11},
{1, 12},
{1, 13},
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 14},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 16},
{1, 17},
EMPTY_BUCKET,
{1, 18},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 19},
{1, 20},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 21},
{1, 22},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 23},
{1, 24},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 25},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 26},
{1, 27},
{1, 28},
EMPTY_BUCKET,
{1, 29},
{2, 30},
EMPTY_BUCKET,
{2, 32},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 34},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 35},
{1, 36},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 37},
EMPTY_BUCKET,
{1, 38},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 39},
EMPTY_BUCKET,
{1, 40},
EMPTY_BUCKET,
{1, 41},
{1, 42},
EMPTY_BUCKET,
{1, 43},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 44},
{1, 45},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 46},
{1, 47},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 48},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 49},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 50},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 51},
{1, 52},
{1, 53},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 54},
EMPTY_BUCKET,
{1, 55},
EMPTY_BUCKET,
{1, 56},
{1, 57},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 58},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 59},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 60},
EMPTY_BUCKET,
{1, 61},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 62},
{1, 64},
{1, 65},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 66},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 67},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 68},
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 69},
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 71},
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 73},
{1, 75},
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 76},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 77},
EMPTY_BUCKET,
EMPTY_BUCKET,
{2, 79},
EMPTY_BUCKET,
{1, 81},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 82},
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
EMPTY_BUCKET,
{1, 83},
EMPTY_BUCKET,
{1, 84},
EMPTY_BUCKET,
{1, 85}
};
const char *cheat_lookup(uint32_t crc) {
uint8_t key = crc >> 24;
if (!cheat_bucket[key].size) {
return NULL;
} else {
int i;
for (i = 0; i < cheat_bucket[key].size; i++) {
if (cheat_code[cheat_bucket[key].off + i] == crc) {
return cheat_desc[cheat_bucket[key].off + i];
}
}
return NULL;
}
}
#ifdef _MSC_VER
#define crc32 RtlComputeCrc32
#else
/* from zlib.h */
extern uint32_t crc32_z(uint32_t, const char *, size_t);
#define crc32 crc32_z
#endif
uint32_t cheat_calculate_crc(const char *str) {
size_t len = strlen(str);
return crc32(0, str, len);
}
|
qa/tari
|
cheats_hmap.c
|
C++
|
unknown
| 7,450 |
#include <string.h>
#include <stdlib.h>
#include "cheats.h"
#ifdef _MSC_VER
#define WIN32_LEAN_AND_MEAN
#include <windows.h>
DWORD NTAPI RtlComputeCrc32(DWORD, const BYTE*, INT);
#include <stdio.h>
#endif
static const char *cheat_desc[] = {
NULL,
"Six Star Wanted Level",
"Faster Clock",
"Cars Fly",
"Riot Mode",
"Thunderstorm",
"Adrenaline Mode",
"Funhouse Theme",
"Max Stamina",
"Health, Armor, $250k",
"Spawn Hunter",
"Perfect Handling",
"Spawn Stretch",
"Have Parachute",
"Spawn Tanker Truck",
"Very Sunny Weather",
"Never Wanted",
"Weapon Set 1, Thug's Tools",
"Peds Attack Each Other, Get Golf Club",
"Spawn Bloodring Banger",
"Recruit Anyone (Rockets)",
"Max Muscle",
"Spawn Racecar",
"Max Sex Appeal",
"Beach Party",
"Reduced Traffic",
"Country Vehicles and Peds, Get Born 2 Truck Outfit",
"Free Aim While Driving",
"Faster Gameplay",
"Spawn Romero",
"Recruit Anyone (9mm)",
"Traffic is Fast Cars",
"Weapon Set 2, Professional Tools",
"Smash n' Boom",
"Aggressive Drivers",
"Infinite Oxygen",
"Hitman In All Weapon Stats",
"Elvis is Everywhere",
"Spawn Vortex Hovercraft",
"Have a bounty on your head",
"Huge Bunny Hop",
"Slower Gameplay",
"Infinite Ammo, No Reload",
"Mega Jump",
"Spawn Stunt Plane",
"All Cars Have Nitro",
"Always Midnight",
"Boats fly",
"Overcast Weather",
"All green lights",
"Sandstorm",
"Orange Sky 21:00",
"Max Respect",
"Spawn Trashmaster",
"Pink traffic",
"Skinny",
"Cars Float Away When Hit",
"Rainy Weather",
"Weapon Set 3, Nutter Tools",
"Clear Wanted Level",
"Gang Members Everywhere",
"Black traffic",
"Spawn Caddy",
"Gangs Control the Streets",
"Foggy Weather",
"Spawn Rhino",
"Increase Wanted Level Two Stars",
"Fat",
"Spawn Racecar",
"Everyone is armed",
"Traffic is Country Vehicles",
"Max All Vehicle Skill Stats",
"Ninja Theme",
"Blow Up All Cars",
"Spawn Monster",
"Traffic is Cheap Cars",
"Sunny Weather",
"Slut Magnet",
"Invisible car",
"Spawn Hydra",
"Peds Attack You With Weapons, Rocket Launcher",
"Spawn Dozer",
"Semi-Infinite Health",
"Suicide",
"Have Jetpack",
"Spawn Quad",
"Spawn Rancher"
};
static int cheat_lookup_table(uint32_t crc) {
switch (crc) {
case 0x01258808: return 1;
case 0x0300e2f7: return 2;
case 0x05722ba4: return 3;
case 0x0ac10a5a: return 4;
case 0x0b90d05b: return 5;
case 0x0c9cba57: return 6;
case 0x0d55f3e2: return 7;
case 0x0fed7916: return 8;
case 0x113315d4: return 9;
case 0x16a78775: return 10;
case 0x17bd0c43: return 11;
case 0x19c4f266: return 12;
case 0x1a806931: return 13;
case 0x1b63c12b: return 14;
case 0x1e10fe15: return 15;
case 0x1e4cc146: return 16;
case 0x21b4dc82: return 17;
case 0x22912616: return 18;
case 0x243f229a: return 19;
case 0x2a30b100: return 20;
case 0x2b6992a6: return 21;
case 0x2f75cf01: return 22;
case 0x30a025e7: return 23;
case 0x343a8620: return 24;
case 0x35136b11: return 25;
case 0x3da32400: return 26;
case 0x48fec4e4: return 27;
case 0x49617acd: return 28;
case 0x4a2bf799: return 29;
case 0x4c4c18d5: return 30;
case 0x4d501c97: return 31;
case 0x4dd5d72e: return 32;
case 0x4f82c4cd: return 33;
case 0x4fe2ec47: return 34;
case 0x52059bf5: return 35;
case 0x57be33f5: return 36;
case 0x589ec066: return 37;
case 0x5b7588f4: return 38;
case 0x5d6f0273: return 39;
case 0x72128a42: return 40;
case 0x747d7f89: return 41;
case 0x766f2a1e: return 42;
case 0x77a2f4af: return 43;
case 0x79677251: return 44;
case 0x7f3e1ab4: return 45;
case 0x807f46af: return 46;
case 0x87adf1cc: return 47;
case 0x88e47c03: return 48;
case 0x8b2b034e: return 49;
case 0x8fe9bc7a: return 50;
case 0x93f059af: return 51;
case 0x97fbe94e: return 52;
case 0x98a476ba: return 53;
case 0x99ae9143: return 54;
case 0xa02e4b62: return 55;
case 0xa252ff78: return 56;
case 0xa40ed7b7: return 57;
case 0xa587c051: return 58;
case 0xaaa03dfe: return 59;
case 0xb0123300: return 60;
case 0xb4ec81ba: return 61;
case 0xb6782a11: return 62;
case 0xbb4cb799: return 63;
case 0xbbbac5e8: return 64;
case 0xbc246eb1: return 65;
case 0xbd50e1d7: return 66;
case 0xc5a88cda: return 67;
case 0xc840e4b1: return 68;
case 0xcb7b4a58: return 69;
case 0xce0f3c33: return 70;
case 0xce15f630: return 71;
case 0xd1078824: return 72;
case 0xd1707b17: return 73;
case 0xd422d05e: return 74;
case 0xd43e5fba: return 75;
case 0xd57bacba: return 76;
case 0xd87e1868: return 77;
case 0xe5655c29: return 78;
case 0xe5aad943: return 79;
case 0xe86d278e: return 80;
case 0xe8e45733: return 81;
case 0xeae4234c: return 82;
case 0xf2a395b1: return 83;
case 0xfbf3089e: return 84;
case 0xfd37c583: return 85;
case 0xffffffff: return 86;
default: return 0;
}
}
const char *cheat_lookup(uint32_t crc) {
return cheat_desc[cheat_lookup_table(crc)];
}
#ifdef _MSC_VER
#define crc32 RtlComputeCrc32
#else
/* from zlib.h */
extern uint32_t crc32_z(uint32_t, const char *, size_t);
#define crc32 crc32_z
#endif
uint32_t cheat_calculate_crc(const char *str) {
size_t len = strlen(str);
return crc32(0, str, len);
}
|
qa/tari
|
cheats_switch.c
|
C++
|
unknown
| 5,062 |
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include "cheats.h"
#include "random.h"
#define MIN_KEYS 7
#define MAX_KEYS 29
#define DEFAULT_MATCHES 10
static void print_cheat(const char *buf, const char *desc) {
size_t buflen = strlen(buf);
char *rev = malloc(buflen + 1);
size_t i;
rev[buflen] = 0;
for (i = 0; i < buflen; i++) {
rev[buflen - i - 1] = buf[i];
}
printf("%zu\t%s\t%s\n", buflen, rev, desc);
free(rev);
}
int start_collider(int maxmatches) {
struct xoshiro_state *s;
char queue[MAX_KEYS+1];
int matches;
s = rand_new(NULL);
queue[MAX_KEYS] = 0;
matches = 0;
outer_loop:
while (matches < maxmatches) {
int i, c;
uint32_t crc;
const char *j, *succ;
for (i = 0; i < MAX_KEYS; i++) {
#if JUST_WASD
c = rand_getbits(s, 2);
switch (c) {
case 0: c = 'W'; break;
case 1: c = 'A'; break;
case 2: c = 'S'; break;
case 3: c = 'D'; break;
}
queue[i] = c;
#else
while ((c = (int) rand_getbits(s, 5)) >= 26);
queue[i] = 'A' + c;
#endif
}
for (j = queue + MAX_KEYS - MIN_KEYS; j >= queue; j--) {
crc = cheat_calculate_crc(j);
if ((succ = cheat_lookup(crc))) {
print_cheat(j, succ);
matches++;
goto outer_loop;
}
}
}
free(s);
return 0;
}
int main(int argc, char *argv[]) {
int matchesperthread;
if (argc > 1) {
char *parseend;
matchesperthread = strtol(argv[1], &parseend, 10);
if (argv[1] == parseend) {
matchesperthread = DEFAULT_MATCHES;
}
} else {
matchesperthread = DEFAULT_MATCHES;
}
// TODO: multithreading
return start_collider(matchesperthread);
}
|
qa/tari
|
collider.c
|
C++
|
unknown
| 1,582 |
#!/bin/sh
dir="$(dirname "$0")"
make -s -C "$dir" collider
for core in $(grep -o ^processor /proc/cpuinfo)
do
stdbuf -oL "$dir/collider" &
done
trap "kill \$(jobs -p)" EXIT
wait
|
qa/tari
|
parallel.sh
|
Shell
|
unknown
| 179 |
#include "random.h"
#include <stdlib.h>
#ifdef _MSC_VER
#define WIN32_LEAN_AND_MEAN
#include <windows.h>
BOOLEAN NTAPI SystemFunction036(PVOID, ULONG);
#define RtlGenRandom SystemFunction036
#endif
#ifdef USE_GETRANDOM
#define _GNU_SOURCE
#include <unistd.h>
#include <sys/syscall.h>
#else
#include <stdio.h>
#endif
struct xoshiro_state {
uint64_t s0;
uint64_t s1;
uint64_t s2;
uint64_t s3;
uint64_t out;
int avail;
};
static inline uint64_t rotl(uint64_t a, int w) {
return a << w | a >> (64-w);
}
static void xoshiro256(struct xoshiro_state *s) {
s->out = s->s0 + s->s3;
s->avail = 64;
const uint64_t t = s->s1 << 17;
s->s2 ^= s->s0;
s->s3 ^= s->s1;
s->s1 ^= s->s2;
s->s0 ^= s->s3;
s->s2 ^= t;
s->s3 = rotl(s->s3, 45);
}
struct xoshiro_state *rand_new(struct xoshiro_state *s) {
struct xoshiro_state *new;
if (s) {
new = s;
} else {
new = malloc(sizeof(struct xoshiro_state));
}
new->s3 = 1;
new->avail = 0;
#ifdef _MSC_VER
RtlGenRandom(new, sizeof(uint64_t) * 4);
#else
#ifdef USE_GETRANDOM
syscall(SYS_getrandom, new, sizeof(uint64_t) * 4, 0);
#else
FILE *f = fopen("/dev/urandom", "r");
fread(new, sizeof(uint64_t), 4, f);
fclose(f);
#endif
#endif
return new;
}
uint64_t rand_getbits(struct xoshiro_state *s, int bits) {
if (bits < 0 || bits > 64) {
return 0;
}
if (bits > s->avail) {
xoshiro256(s);
}
uint64_t mask = (1 << bits) - 1;
uint64_t res = s->out & mask;
s->out >>= bits;
s->avail -= bits;
return res;
}
|
qa/tari
|
random.c
|
C++
|
unknown
| 1,470 |
#include <stdint.h>
struct xoshiro_state;
extern struct xoshiro_state *rand_new(struct xoshiro_state *);
extern uint64_t rand_getbits(struct xoshiro_state *, int);
|
qa/tari
|
random.h
|
C++
|
unknown
| 166 |
#include <stdlib.h>
#include <stdio.h>
#include "cheats.h"
int main() {
const uint32_t search = cheat_calculate_crc("PLEHEMOSDEENI");
const char *res = cheat_lookup(search);
if (res) {
printf("Found: %s\n", res);
return 0;
} else {
puts("Not found");
return 1;
}
}
|
qa/tari
|
test_find.c
|
C++
|
unknown
| 280 |
<?xml version="1.0" encoding="utf-8"?>
<ModMetaData>
<name>RJW - RaceSupport</name>
<author>Abraxas</author>
<url></url>
<supportedVersions>
<li>1.0</li>
</supportedVersions>
<description>
M for Mature
Load mod at bottom of mod list:
Core
HugsLib
JecsTools(for the clothes to work)
Humanoid Alien Races 2.0
GenderBalancer (for lost forest maybe more)
Mods ...
RimJobWorld
This mod!
</description>
</ModMetaData>
|
Simiol/rjw
|
About/About.xml
|
XML
|
unknown
| 442 |
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<Manifest>
<identifier>RJW-RaceSupport</identifier>
<version>4.2.0</version>
<dependencies>
<li>RimJobWorld</li>
</dependencies>
<incompatibleWith />
<loadAfter>
<li>RimJobWorld</li>
</loadAfter>
<suggests>
</suggests>
<manifestUri></manifestUri>
<downloadUri></downloadUri>
</Manifest>
|
Simiol/rjw
|
About/Manifest.xml
|
XML
|
unknown
| 357 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!--Dino Like-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinoPenis_Ab</defName>
<label>dinosaur penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.9</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>DinoPenis_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinoVagina_Ab</defName>
<label>dinosaur vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.30</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinoVagina_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinoAnus_Ab</defName>
<label>dinosaur anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinoAnus_Ab</spawnThingOnRemoved>
</HediffDef>
<!-- Elf Like -->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElfPenis_Ab</defName>
<label>elf penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElfPenis_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElfVagina_Ab</defName>
<label>elf vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.9</SexAbility>
<Vulnerability>0.80</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElfVagina_Ab</spawnThingOnRemoved>
</HediffDef>
<!-- Unused
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElfBreasts</defName>
<label>elf breasts</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
<Vulnerability>0.2</Vulnerability>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.005</offset>
</li>
<li>
<capacity>Manipulation</capacity>
<offset>-0.005</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>ElfBreasts_Ab</spawnThingOnRemoved>
</HediffDef>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElfAnus_Ab</defName>
<label>elf anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.1</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElfAnus_Ab</spawnThingOnRemoved>
</HediffDef>
<!-- Orc Like-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OrcPenis_Ab</defName>
<label>orc penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OrcPenis_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OrcVagina_Ab</defName>
<label>orc vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OrcVagina_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OrcBreasts_Ab</defName>
<label>orc breasts</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.05</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.015</offset>
</li>
<li>
<capacity>Manipulation</capacity>
<offset>-0.015</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>OrcBreasts_Ab</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OrcAnus_Ab</defName>
<label>orc anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OrcAnus_Ab</spawnThingOnRemoved>
</HediffDef>
<!-- **Zimtraucher Edit** -->
<!--
Chlamyphorid Family:
<race>Doedicurus</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChlamyphoridPenis</defName>
<label>average chlamyphorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChlamyphoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroChlamyphoridPenis</defName>
<label>micro chlamyphorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroChlamyphoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallChlamyphoridPenis</defName>
<label>small chlamyphorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallChlamyphoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigChlamyphoridPenis</defName>
<label>big chlamyphorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigChlamyphoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeChlamyphoridPenis</defName>
<label>huge chlamyphorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeChlamyphoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChlamyphoridVagina</defName>
<label>Chlamyphorid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChlamyphoridVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChlamyphoridAnus</defName>
<label>Chlamyphorid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChlamyphoridAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Entelodontid Family:
<race>Daeodon</race>
<race>Andrewsarchus</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>EntelodontidPenis</defName>
<label>average entelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>EntelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroEntelodontidPenis</defName>
<label>micro entelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroEntelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallEntelodontidPenis</defName>
<label>small entelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallEntelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigEntelodontidPenis</defName>
<label>big entelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigEntelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeEntelodontidPenis</defName>
<label>huge entelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeEntelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>EntelodontidVagina</defName>
<label>Entelodontid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>EntelodontidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>EntelodontidAnus</defName>
<label>Entelodontid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>EntelodontidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Hominid Family: (Ape)
<race>Gigantopithecus</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HominidPenis</defName>
<label>average hominid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HominidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroHominidPenis</defName>
<label>micro hominid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroHominidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallHominidPenis</defName>
<label>small hominid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallHominidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigHominidPenis</defName>
<label>big hominid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigHominidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeHominidPenis</defName>
<label>huge hominid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeHominidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HominidVagina</defName>
<label>Hominid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HominidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HominidAnus</defName>
<label>Hominid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HominidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Hyracodontid Family:
<race>Paraceratherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HyracodontidPenis</defName>
<label>average hyracodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HyracodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroHyracodontidPenis</defName>
<label>micro hyracodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroHyracodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallHyracodontidPenis</defName>
<label>small hyracodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallHyracodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigHyracodontidPenis</defName>
<label>big hyracodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigHyracodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeHyracodontidPenis</defName>
<label>huge hyracodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeHyracodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HyracodontidVagina</defName>
<label>Hyracodontid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HyracodontidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HyracodontidAnus</defName>
<label>Hyracodontid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>HyracodontidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Phorusrhacid Family:
<race>Titanis</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PhorusrhacidPenis</defName>
<label>average phorusrhacid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PhorusrhacidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroPhorusrhacidPenis</defName>
<label>micro phorusrhacid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroPhorusrhacidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallPhorusrhacidPenis</defName>
<label>small phorusrhacid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallPhorusrhacidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigPhorusrhacidPenis</defName>
<label>big phorusrhacid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigPhorusrhacidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugePhorusrhacidPenis</defName>
<label>huge phorusrhacid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugePhorusrhacidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PhorusrhacidVagina</defName>
<label>Phorusrhacid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PhorusrhacidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PhorusrhacidAnus</defName>
<label>Phorusrhacid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PhorusrhacidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Boa Family:
<race>Titanoboa</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BoaPenises</defName>
<label>average boa penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BoaPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroBoaPenises</defName>
<label>micro boa penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroBoaPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallBoaPenises</defName>
<label>small boa penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallBoaPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigBoaPenises</defName>
<label>big boa penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigBoaPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeBoaPenises</defName>
<label>huge boa penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeBoaPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BoaVagina</defName>
<label>Boa vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BoaVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BoaAnus</defName>
<label>Boa anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BoaAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Elephantid Family:
<race>WoollyMammoth</race>
<race>Zygolophodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElephantidPenis</defName>
<label>average elephantid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElephantidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroElephantidPenis</defName>
<label>micro elephantid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroElephantidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallElephantidPenis</defName>
<label>small elephantid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallElephantidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigElephantidPenis</defName>
<label>big elephantid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigElephantidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeElephantidPenis</defName>
<label>huge elephantid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeElephantidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElephantidVagina</defName>
<label>Elephantid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElephantidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ElephantidAnus</defName>
<label>Elephantid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ElephantidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Rhinocerotid Family:
<race>Elasmotherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>RhinocerotidPenis</defName>
<label>average rhinocerotid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>RhinocerotidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroRhinocerotidPenis</defName>
<label>micro rhinocerotid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroRhinocerotidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallRhinocerotidPenis</defName>
<label>small rhinocerotid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallRhinocerotidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigRhinocerotidPenis</defName>
<label>big rhinocerotid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigRhinocerotidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeRhinocerotidPenis</defName>
<label>huge rhinocerotid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeRhinocerotidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>RhinocerotidVagina</defName>
<label>Rhinocerotid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>RhinocerotidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>RhinocerotidAnus</defName>
<label>Rhinocerotid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>RhinocerotidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Felid Family:
<race>Smilodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>FelidPenis</defName>
<label>average felid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>FelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroFelidPenis</defName>
<label>micro felid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroFelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallFelidPenis</defName>
<label>small felid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallFelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigFelidPenis</defName>
<label>big felid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigFelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeFelidPenis</defName>
<label>huge felid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeFelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>FelidVagina</defName>
<label>Felid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>FelidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>FelidAnus</defName>
<label>Felid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>FelidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Chalicotheriid Family:
<race>Chalicotherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChalicotheriidPenis</defName>
<label>average chalicotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChalicotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroChalicotheriidPenis</defName>
<label>micro chalicotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroChalicotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallChalicotheriidPenis</defName>
<label>small chalicotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallChalicotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigChalicotheriidPenis</defName>
<label>big chalicotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigChalicotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeChalicotheriidPenis</defName>
<label>huge chalicotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeChalicotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChalicotheriidVagina</defName>
<label>Chalicotheriid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChalicotheriidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>ChalicotheriidAnus</defName>
<label>Chalicotheriid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>ChalicotheriidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Cervid Family:
<race>Megaloceros</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CervidPenis</defName>
<label>average cervid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CervidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroCervidPenis</defName>
<label>micro cervid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroCervidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallCervidPenis</defName>
<label>small cervid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallCervidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigCervidPenis</defName>
<label>big cervid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigCervidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeCervidPenis</defName>
<label>huge cervid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeCervidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CervidVagina</defName>
<label>Cervid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CervidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CervidAnus</defName>
<label>Cervid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CervidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Macropodid Family:
<race>Procoptodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacropodidPenis</defName>
<label>average macropodid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacropodidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroMacropodidPenis</defName>
<label>micro macropodid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroMacropodidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallMacropodidPenis</defName>
<label>small macropodid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallMacropodidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigMacropodidPenis</defName>
<label>big macropodid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigMacropodidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeMacropodidPenis</defName>
<label>huge macropodid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeMacropodidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacropodidVagina</defName>
<label>Macropodid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacropodidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacropodidAnus</defName>
<label>Macropodid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacropodidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Varanid Family:
<race>Megalania</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>VaranidPenis</defName>
<label>average varanid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>VaranidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroVaranidPenis</defName>
<label>micro varanid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroVaranidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallVaranidPenis</defName>
<label>small varanid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallVaranidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigVaranidPenis</defName>
<label>big varanid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigVaranidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeVaranidPenis</defName>
<label>huge varanid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeVaranidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>VaranidVagina</defName>
<label>Varanid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>VaranidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>VaranidAnus</defName>
<label>Varanid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>VaranidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Odobenid Family:
<race>Gomphotaria</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OdobenidPenis</defName>
<label>average odobenid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OdobenidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroOdobenidPenis</defName>
<label>micro odobenid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroOdobenidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallOdobenidPenis</defName>
<label>small odobenid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallOdobenidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigOdobenidPenis</defName>
<label>big odobenid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigOdobenidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeOdobenidPenis</defName>
<label>huge odobenid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeOdobenidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OdobenidVagina</defName>
<label>Odobenid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OdobenidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>OdobenidAnus</defName>
<label>Odobenid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>OdobenidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Diprotodontid Family:
<race>Diprotodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DiprotodontidPenis</defName>
<label>average diprotodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DiprotodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroDiprotodontidPenis</defName>
<label>micro diprotodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroDiprotodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallDiprotodontidPenis</defName>
<label>small diprotodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallDiprotodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigDiprotodontidPenis</defName>
<label>big diprotodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigDiprotodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeDiprotodontidPenis</defName>
<label>huge diprotodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeDiprotodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DiprotodontidVagina</defName>
<label>Diprotodontid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DiprotodontidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DiprotodontidAnus</defName>
<label>Diprotodontid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DiprotodontidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Ursid Family:
<race>ShortfacedBear</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UrsidPenis</defName>
<label>average ursid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UrsidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroUrsidPenis</defName>
<label>micro ursid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroUrsidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallUrsidPenis</defName>
<label>small ursid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallUrsidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigUrsidPenis</defName>
<label>big ursid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigUrsidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeUrsidPenis</defName>
<label>huge ursid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeUrsidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UrsidVagina</defName>
<label>Ursid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UrsidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UrsidAnus</defName>
<label>Ursid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UrsidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Percrocutid Family:
<race>Dinocrocuta</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PercrocutidPenis</defName>
<label>average percrocutid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PercrocutidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroPercrocutidPenis</defName>
<label>micro percrocutid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroPercrocutidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallPercrocutidPenis</defName>
<label>small percrocutid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallPercrocutidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigPercrocutidPenis</defName>
<label>big percrocutid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigPercrocutidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugePercrocutidPenis</defName>
<label>huge percrocutid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugePercrocutidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PercrocutidVagina</defName>
<label>Percrocutid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PercrocutidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>PercrocutidAnus</defName>
<label>Percrocutid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>PercrocutidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Giraffid Family:
<race>Sivatherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>GiraffidPenis</defName>
<label>average giraffid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>GiraffidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroGiraffidPenis</defName>
<label>micro giraffid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroGiraffidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallGiraffidPenis</defName>
<label>small giraffid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallGiraffidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigGiraffidPenis</defName>
<label>big giraffid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigGiraffidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeGiraffidPenis</defName>
<label>huge giraffid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeGiraffidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>GiraffidVagina</defName>
<label>Giraffid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>GiraffidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>GiraffidAnus</defName>
<label>Giraffid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>GiraffidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Dinornithid Family:
<race>Dinornis</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinornithidPenis</defName>
<label>average dinornithid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinornithidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroDinornithidPenis</defName>
<label>micro dinornithid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroDinornithidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallDinornithidPenis</defName>
<label>small dinornithid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallDinornithidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigDinornithidPenis</defName>
<label>big dinornithid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigDinornithidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeDinornithidPenis</defName>
<label>huge dinornithid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeDinornithidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinornithidVagina</defName>
<label>Dinornithid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinornithidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinornithidAnus</defName>
<label>Dinornithid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinornithidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Macraucheniid Family:
<race>Macrauchenia</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacraucheniidPenis</defName>
<label>average macraucheniid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacraucheniidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroMacraucheniidPenis</defName>
<label>micro macraucheniid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroMacraucheniidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallMacraucheniidPenis</defName>
<label>small macraucheniid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallMacraucheniidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigMacraucheniidPenis</defName>
<label>big macraucheniid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigMacraucheniidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeMacraucheniidPenis</defName>
<label>huge macraucheniid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeMacraucheniidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacraucheniidVagina</defName>
<label>Macraucheniid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacraucheniidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MacraucheniidAnus</defName>
<label>Macraucheniid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MacraucheniidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Crocodylid Family:
<race>Quinkana</race>
<race>Purussaurus</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CrocodylidPenis</defName>
<label>average crocodylid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CrocodylidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroCrocodylidPenis</defName>
<label>micro crocodylid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroCrocodylidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallCrocodylidPenis</defName>
<label>small crocodylid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallCrocodylidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigCrocodylidPenis</defName>
<label>big crocodylid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigCrocodylidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeCrocodylidPenis</defName>
<label>huge crocodylid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeCrocodylidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CrocodylidVagina</defName>
<label>Crocodylid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CrocodylidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CrocodylidAnus</defName>
<label>Crocodylid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CrocodylidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Deinotheriid Family:
<race>Deinotherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DeinotheriidPenis</defName>
<label>average deinotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DeinotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroDeinotheriidPenis</defName>
<label>micro deinotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroDeinotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallDeinotheriidPenis</defName>
<label>small deinotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallDeinotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigDeinotheriidPenis</defName>
<label>big deinotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigDeinotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeDeinotheriidPenis</defName>
<label>huge deinotheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeDeinotheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DeinotheriidVagina</defName>
<label>Deinotheriid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DeinotheriidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DeinotheriidAnus</defName>
<label>Deinotheriid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DeinotheriidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Bovid Family:
<race>Aurochs</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BovidPenis</defName>
<label>average bovid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BovidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroBovidPenis</defName>
<label>micro bovid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroBovidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallBovidPenis</defName>
<label>small bovid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallBovidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigBovidPenis</defName>
<label>big bovid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigBovidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeBovidPenis</defName>
<label>huge bovid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeBovidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BovidVagina</defName>
<label>Bovid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BovidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BovidAnus</defName>
<label>Bovid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>BovidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Testudinid Family: (Tortoise)
<race>Megalochelys</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>TestudinidPenis</defName>
<label>average testudinid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>TestudinidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroTestudinidPenis</defName>
<label>micro testudinid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroTestudinidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallTestudinidPenis</defName>
<label>small testudinid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallTestudinidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigTestudinidPenis</defName>
<label>big testudinid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigTestudinidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeTestudinidPenis</defName>
<label>huge testudinid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeTestudinidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>TestudinidVagina</defName>
<label>Testudinid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>TestudinidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>TestudinidAnus</defName>
<label>Testudinid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>TestudinidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Spheniscid Family: - don't really know what to do with this dude :D
<race>Palaeeudyptes</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SpheniscidCloaka</defName>
<label>spheniscid cloaka</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>SpheniscidCloaka</spawnThingOnRemoved>
</HediffDef>
<!--
Dinomyid Family:
<race>Josephoartigasia</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinomyidPenis</defName>
<label>average dinomyid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinomyidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroDinomyidPenis</defName>
<label>micro dinomyid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroDinomyidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallDinomyidPenis</defName>
<label>small dinomyid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallDinomyidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigDinomyidPenis</defName>
<label>big dinomyid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigDinomyidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeDinomyidPenis</defName>
<label>huge dinomyid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeDinomyidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinomyidVagina</defName>
<label>Dinomyid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinomyidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>DinomyidAnus</defName>
<label>Dinomyid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>DinomyidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Madtsoiid Family:
<race>Gigantophis</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MadtsoiidPenises</defName>
<label>average madtsoiid penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MadtsoiidPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroMadtsoiidPenises</defName>
<label>micro madtsoiid penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroMadtsoiidPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallMadtsoiidPenises</defName>
<label>small madtsoiid penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallMadtsoiidPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigMadtsoiidPenises</defName>
<label>big madtsoiid penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigMadtsoiidPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeMadtsoiidPenises</defName>
<label>huge madtsoiid penises</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeMadtsoiidPenises</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MadtsoiidVagina</defName>
<label>Madtsoiid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MadtsoiidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MadtsoiidAnus</defName>
<label>Madtsoiid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MadtsoiidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Amebelodontid Family:
<race>Platybelodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>AmebelodontidPenis</defName>
<label>average amebelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>AmebelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroAmebelodontidPenis</defName>
<label>micro amebelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroAmebelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallAmebelodontidPenis</defName>
<label>small amebelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallAmebelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigAmebelodontidPenis</defName>
<label>big amebelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigAmebelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeAmebelodontidPenis</defName>
<label>huge amebelodontid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeAmebelodontidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>AmebelodontidVagina</defName>
<label>Amebelodontid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>AmebelodontidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>AmebelodontidAnus</defName>
<label>Amebelodontid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>AmebelodontidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Uintatheriid Family:
<race>Uintatherium</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UintatheriidPenis</defName>
<label>average uintatheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UintatheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroUintatheriidPenis</defName>
<label>micro uintatheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroUintatheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallUintatheriidPenis</defName>
<label>small uintatheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallUintatheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigUintatheriidPenis</defName>
<label>big uintatheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigUintatheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeUintatheriidPenis</defName>
<label>huge uintatheriid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeUintatheriidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UintatheriidVagina</defName>
<label>Uintatheriid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UintatheriidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>UintatheriidAnus</defName>
<label>Uintatheriid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>UintatheriidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Cercopithecid Family:
<race>Dinopithecus</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CercopithecidPenis</defName>
<label>average cercopithecid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CercopithecidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroCercopithecidPenis</defName>
<label>micro cercopithecid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroCercopithecidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallCercopithecidPenis</defName>
<label>small cercopithecid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallCercopithecidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigCercopithecidPenis</defName>
<label>big cercopithecid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigCercopithecidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeCercopithecidPenis</defName>
<label>huge cercopithecid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeCercopithecidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CercopithecidVagina</defName>
<label>Cercopithecid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CercopithecidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CercopithecidAnus</defName>
<label>Cercopithecid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CercopithecidAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Castorid Family: (Beavers)
<race>Castoroides</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CastoridPenis</defName>
<label>average castorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CastoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroCastoridPenis</defName>
<label>micro castorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroCastoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallCastoridPenis</defName>
<label>small castorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallCastoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigCastoridPenis</defName>
<label>big castorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigCastoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeCastoridPenis</defName>
<label>huge castorid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeCastoridPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CastoridVagina</defName>
<label>Castorid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CastoridVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>CastoridAnus</defName>
<label>Castorid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>CastoridAnus</spawnThingOnRemoved>
</HediffDef>
<!--
Mustelid Family: (Weasel)
<race>Enhydriodon</race>
-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MustelidPenis</defName>
<label>average mustelid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.0</SexAbility>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MustelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MicroMustelidPenis</defName>
<label>micro mustelid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>MicroMustelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>SmallMustelidPenis</defName>
<label>small mustelid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.75</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SmallMustelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>BigMustelidPenis</defName>
<label>big mustelid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.25</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.05</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>BigMustelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>HugeMustelidPenis</defName>
<label>huge mustelid penis</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.5</SexAbility>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.1</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>HugeMustelidPenis</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MustelidVagina</defName>
<label>Mustelid vagina</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.4</SexAbility>
<Vulnerability>0.10</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MustelidVagina</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>MustelidAnus</defName>
<label>Mustelid anus</label>
<stages>
<li>
<statOffsets>
<SexAbility>0.15</SexAbility>
<Vulnerability>0.5</Vulnerability>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>MustelidAnus</spawnThingOnRemoved>
</HediffDef>
<!--Nephila Like-->
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>NephilaBreasts</defName>
<label>stupidly enormous slime breasts</label>
<stages>
<li>
<statOffsets>
<SexAbility>1.1</SexAbility>
<Vulnerability>0.25</Vulnerability>
</statOffsets>
<capMods>
<li>
<capacity>Moving</capacity>
<offset>-0.15</offset>
</li>
<li>
<capacity>Manipulation</capacity>
<offset>-0.15</offset>
</li>
</capMods>
</li>
</stages>
<spawnThingOnRemoved>SlimeGlob</spawnThingOnRemoved>
</HediffDef>
<HediffDef ParentName="NaturalPrivatePartBase">
<defName>NephilaSlimeBreasts</defName>
<label>rows of leaking slime tits</label>
<stages>
<li>
<statOffsets>
<SexAbility>2.0</SexAbility>
<SexFrequency>0.5</SexFrequency>
</statOffsets>
</li>
</stages>
<spawnThingOnRemoved>SlimeGlob</spawnThingOnRemoved>
</HediffDef>
</Defs>
|
Simiol/rjw
|
Defs/HediffDefs/Hediffs_PrivateParts/Hediffs_PrivateParts_Custom.xml
|
XML
|
unknown
| 92,677 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- 九尾の狐. 1507522941 -->
<!-- Warning this race will burn your eyes -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>9_Tails_Kitsune</defName>
<raceNames>
<li>Yokai_NineTail</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>LooseVagina</li>
<li>GapingVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
<li>Fur</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/9Tails.xml
|
XML
|
unknown
| 1,175 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Alien_Arthropods. not yet released -->
<!-- not yet released -->
<rjw.RaceGroupDef>
<defName>Alien_ArthropodsGroup</defName>
<raceNames>
<li>ArthropodSpider</li>
<li>ArthropodBumblebee</li>
<li>ArthropodCockroach</li>
</raceNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Alien_Arthropods.xml
|
XML
|
unknown
| 1,358 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Antinium Playable Race. 1892455303 -->
<rjw.RaceGroupDef>
<defName>Antinium</defName>
<raceNames>
<li>Ant_AntiniumRace</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Antinium.xml
|
XML
|
unknown
| 1,104 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Apini Playable Race. Not on steam. -->
<rjw.RaceGroupDef>
<defName>Apini_Mod_Group</defName>
<raceNames>
<!-- HumanLike -->
<li>Apini</li>
<li>Azuri</li>
<!-- Animal -->
<li>Moobee</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Apini.xml
|
XML
|
unknown
| 1,178 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Arachne Race. 1589454687 -->
<rjw.RaceGroupDef>
<defName>SpiderGirl_Arachne</defName>
<raceNames>
<li>Arachne</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Arachne.xml
|
XML
|
unknown
| 1,092 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Astoriel. 1342510409. https://steamcommunity.com/sharedfiles/filedetails/?id=1342510409 -->
<!-- Eldar -->
<rjw.RaceGroupDef>
<defName>Space_Elf_Astoriel</defName>
<raceNames>
<li>Alien_Astoriel</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>ElfAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>ElfVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>ElfPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Astoriel.xml
|
XML
|
unknown
| 1,478 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Alien Vs Predator.1568400124 -->
<!-- Yautja -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Yautja_Alien</defName>
<raceNames>
<li>RRY_Alien_Yautja</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Hemipenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Rynath -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Rynath_Animal</defName>
<raceNames>
<li>RRY_Rynath</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>HorseVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>HorsePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Hound -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Yautja_Hound_Animal</defName>
<raceNames>
<li>RRY_Yautja_Hound</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DogVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DogPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Xeno Morph Section -->
<!-- Parts are not recommended as pawns will die to acid -->
<!-- Neomorph -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Xenomorph_Neomorph_Animal</defName>
<raceNames>
<li>RRY_Xenomorph_Neomorph</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals></femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CrocodilianPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Plant</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Common -->
<rjw.RaceGroupDef>
<defName>Xenomorph_NoParts_Animal</defName>
<raceNames>
<li>RRY_Xenomorph_FaceHugger</li>
<li>RRY_Xenomorph_Drone</li>
<li>RRY_Xenomorph_Warrior</li>
<li>RRY_Xenomorph_Runner</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals></femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Xenomorph Queen -->
<rjw.RaceGroupDef>
<defName>Xenomorph_Queen_Animal</defName>
<raceNames>
<li>RRY_Xenomorph_Queen</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Xenomorph Predalien -->
<rjw.RaceGroupDef>
<defName>Xenomorph_Predalien_Animal</defName>
<raceNames>
<li>RRY_Xenomorph_Predalien</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Hemipenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Xenomorph Thrumbomorph -->
<rjw.RaceGroupDef>
<defName>Xenomorph_Thrumbomorph_Animal</defName>
<raceNames>
<li>RRY_Xenomorph_Thrumbomorph</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DragonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/AvP.xml
|
XML
|
unknown
| 8,166 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Avali Continued. 1732147907. https://steamcommunity.com/sharedfiles/filedetails/?id=1732147907 -->
<!-- Avali. 1314474881. https://steamcommunity.com/sharedfiles/filedetails/?id=1314474881 -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Avali_Raptor_People</defName>
<raceNames>
<li>Avali</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>DinoAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DinoVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DinoPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Feathers</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Drones -->
<rjw.RaceGroupDef>
<defName>Avali_Drone</defName>
<raceNames>
<li>AvaliGuardDrone</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals></femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>false</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Avali.xml
|
XML
|
unknown
| 2,092 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Black Widows 2.0. 1365540920 -->
<!--BlackWidows-->
<rjw.RaceGroupDef>
<defName>SpiderGirl_BlackWidows</defName>
<raceNames>
<li>Races_BlackWidow</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
<!--BlackWidows-->
<rjw.RaceGroupDef>
<defName>BlackWidows_FlooferMoth</defName>
<raceNames>
<li>BWFlooferMoth</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/BlackWidow.xml
|
XML
|
unknown
| 2,072 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Androids. 1541064015 -->
<!-- Don't release this one publicly -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Lewd_Androids</defName>
<raceNames>
<li>ChjAndroid</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>HydraulicAnus</li>
<li>BionicAnus</li>
<li>HydraulicAnus</li>
<li>BionicAnus</li>
<li>ArchotechAnus</li>
<li>InsectAnus</li>
<li>SlimeAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>HydraulicBreasts</li>
<li>BionicBreasts</li>
<li>HydraulicBreasts</li>
<li>BionicBreasts</li>
<li>ArchotechBreasts</li>
<li>FeaturelessChest</li>
<li>Udder</li>
<li>SlimeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>HydraulicVagina</li>
<li>BionicVagina</li>
<li>HydraulicVagina</li>
<li>BionicVagina</li>
<li>ArchotechVagina</li>
<li>CatVagina</li>
<li>DogVagina</li>
<li>HorseVagina</li>
<li>DragonVagina</li>
<li>OvipositorF</li>
<li>SlimeVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>PegDick</li>
<li>PegDick</li>
<li>PegDick</li>
<li>PegDick</li>
<li>HydraulicPenis</li>
<li>BionicPenis</li>
<li>HydraulicPenis</li>
<li>BionicPenis</li>
<li>ArchotechPenis</li>
<li>CatPenis</li>
<li>DogPenis</li>
<li>HorsePenis</li>
<li>DragonPenis</li>
<li>RaccoonPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>OvipositorM</li>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/ChJees_Androids.xml
|
XML
|
unknown
| 38,960 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Crystalloid (Rewrite). 1571323744-->
<!--Human-Like -->
<rjw.RaceGroupDef>
<defName>Crystalloid_Thing</defName>
<raceNames>
<li>Alien_Crystalloid</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>SlimeAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>HugeBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>HugeBreasts</li>
<li>SlimeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>GapingVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>GapingVagina</li>
<li>SlimeVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>BigPenis</li>
<li>HugePenis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Scales</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Crystal Prism -->
<rjw.RaceGroupDef>
<defName>Crystal_Prism_Construct</defName>
<raceNames>
<li>Crystal_Prism</li>
<li>Crystal_NeutralPrism</li>
<li>Crystal_PrismMini</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>SlimeVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
<li>Scales</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Crystal Preserver, Guardian, Specter -->
<rjw.RaceGroupDef>
<defName>Crystal_Preserver_Construct</defName>
<raceNames>
<li>Crystal_Preserver</li>
<li>Crystal_Guardian</li>
<li>Crystal_Specter</li>
<li>Crystal_GuardianP</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>SlimeVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
<li>Scales</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Crystal Colossus -->
<rjw.RaceGroupDef>
<defName>Crystal_Colossus_Construct</defName>
<raceNames>
<li>Crystal_Colossus</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses></anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>SlimeVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>CrocodilianPenis</li>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
<li>Scales</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Crystalloid.xml
|
XML
|
unknown
| 5,718 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Warhammer: Daemonettes. 1659631711 -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. 1659631711-->
<defName>slaaneshi_Group</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<!-- These races are supposed to be mutants usually of the sexual nature because Kinky Chaos god. -->
<raceNames>
<li>Alien_Slaaneshi</li>
<li>Alien_SlaaPrince</li>
<li>Alien_Daemonette</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>DemonAnus</li>
<li>SlimeAnus</li>
<li>OrcAnus_Ab</li>
<li>ElfAnus_Ab</li>
<li>DinoAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>Udder</li>
<li>SlimeBreasts</li>
<li>OrcBreasts_Ab</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>CatVagina</li>
<li>DogVagina</li>
<li>HorseVagina</li>
<li>DragonVagina</li>
<li>DemonVagina</li>
<li>SlimeVagina</li>
<li>DinoVagina_Ab</li>
<li>ElfVagina_Ab</li>
<li>OrcVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>Udder</li>
<li>SlimeBreasts</li>
<li>OrcBreasts_Ab</li>
<li>DinoAnus_Ab</li>
</maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>CatPenis</li>
<li>DogPenis</li>
<li>HorsePenis</li>
<li>DragonPenis</li>
<li>RaccoonPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>DemonTentaclePenis</li>
<li>DemonPenis</li>
<li>SlimeTentacles</li>
<li>OrcPenis_Ab</li>
<li>ElfPenis_Ab</li>
<li>DinoPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Animals. -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Sleneshi_Animals</defName>
<raceNames>
<li>Fiend</li>
<li>Steed</li>
<li>SteedCovBase</li>
<li>FiendCovBase</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>DemonAnus</li>
<li>SlimeAnus</li>
<li>OrcAnus_Ab</li>
<li>ElfAnus_Ab</li>
<li>DinoAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>Udder</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>CatVagina</li>
<li>DogVagina</li>
<li>HorseVagina</li>
<li>DragonVagina</li>
<li>DemonVagina</li>
<li>SlimeVagina</li>
<li>DinoVagina_Ab</li>
<li>ElfVagina_Ab</li>
<li>OrcVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts>
<li>Udder</li>
</maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>CatPenis</li>
<li>DogPenis</li>
<li>HorsePenis</li>
<li>DragonPenis</li>
<li>RaccoonPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>DemonTentaclePenis</li>
<li>DemonPenis</li>
<li>SlimeTentacles</li>
<li>OrcPenis_Ab</li>
<li>ElfPenis_Ab</li>
<li>DinoPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Daemonettes.xml
|
XML
|
unknown
| 4,589 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- The Drow Race.1576667416 -->
<!-- This race Mod is found on https://steamcommunity.com/sharedfiles/filedetails/?id=1576667416&searchtext=drow -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Elf_Drow</defName>
<raceNames>
<li>Alien_Drow_Otto</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>ElfAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>ElfVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>ElfPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Drow.xml
|
XML
|
unknown
| 1,549 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Call of Cthulhu - Elder Things. 882126182 -->
<!-- I have no clue if it was race name or something else that did it but hey atleast they work now -->
<!-- Known issue, they get no parts if the pawn exists before map is loaded since genderless as futa doesn't take effct until then -->
<rjw.RaceGroupDef>
<defName>Alien_ElderThing_TentaLord</defName>
<raceNames>
<li>Alien_ElderThing_Race_Standard</li>
</raceNames>
<pawnKindNames>
<li>Alien_ElderThing_Race_Standard</li>
<li>ElderThing_KindBaseInit</li>
<li>ElderThing_KindBase</li>
<li>ElderThing_Colonist</li>
</pawnKindNames>
<anuses>
<li>DemonTentaclePenis</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>DemonTentaclePenis</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DemonTentaclePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/ElderTentaclause.xml
|
XML
|
unknown
| 1,475 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- This is support for 3 mods -->
<!-- Add Elona Shoujo [1.0]. 1500213859 -->
<!-- add links soon -->
<!-- Shoujo -->
<rjw.RaceGroupDef>
<defName>Shoujo_HumanLike_Animal</defName>
<raceNames>
<li>Shoujo</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Elona Imouto Race. 1863723112 -->
<!-- -->
<!-- Imouto -->
<rjw.RaceGroupDef>
<defName>Imouto_HumanLike</defName>
<raceNames>
<li>Elona_Imouto</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- <maleGenderProbability>0.01</maleGenderProbability>. So it is rare -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Gods of Elona [1.0]. 1505332648 -->
<!-- -->
<!-- Android -->
<rjw.RaceGroupDef>
<defName>Elona_eAndroid_Animal</defName>
<raceNames>
<li>eAndroid</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>BionicAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>BionicBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>BionicVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>BionicPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Robot</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Blackangel -->
<rjw.RaceGroupDef>
<defName>Elona_eBlackangel_Animal</defName>
<raceNames>
<li>eBlackangel</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>DemonAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>Breasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DemonVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DemonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Blackcat -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eBlackcat_Animal</defName>
<raceNames>
<li>eBlackcat</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>DemonAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals></femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CatPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
<li>Fur</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Cutefairy -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eCutefairy_Animal</defName>
<raceNames>
<li>eCutefairy</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>LooseAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>LooseVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Defender -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eDefender_Animal</defName>
<raceNames>
<li>eDefender</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals></femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Penis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Exile -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eExile_Animal</defName>
<raceNames>
<li>eExile</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>DemonAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts></femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DemonTentaclePenis</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DemonTentaclePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Goldenknight -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eGoldenknight_Animal</defName>
<raceNames>
<li>eGoldenknight</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>Breasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>Vagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Gwen -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eGwen_Animal</defName>
<raceNames>
<li>eGwen</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Youngercatsister -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eYoungercatsister_Animal</defName>
<raceNames>
<li>eYoungercatsister</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>CatVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Youngersister -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Elona_eYoungersister_Animal</defName>
<raceNames>
<li>eYoungersister</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Elona_Pack.xml
|
XML
|
unknown
| 11,887 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Equiums. 1211945995. https://steamcommunity.com/sharedfiles/filedetails/?id=1211945995 -->
<rjw.RaceGroupDef>
<defName>Equiums_Horse_People</defName>
<raceNames>
<li>Alien_Equium</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>HorseVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>HorsePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Equiums.xml
|
XML
|
unknown
| 1,133 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Filthy Orc Invasion.1267084448 -->
<!-- This race has Male gender spawn set to 100%, Female parts in case of Futa. -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>Filthy_Orc_Invasion</defName>
<raceNames>
<li>Alien_Orc</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>OrcAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>OrcBreasts_Ab</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OrcAnus_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts>
<li>OrcBreasts_Ab</li>
</maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OrcPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Filthy_Orc_Invasion.xml
|
XML
|
unknown
| 1,187 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- [L] House Maid Nukos. 1418683071 -->
<rjw.RaceGroupDef>
<defName>Maid_nukos</defName>
<raceNames>
<li>Maidnukos</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>CatVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CatPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/House_Maid_Nukos.xml
|
XML
|
unknown
| 1,100 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Kilhn Race. 1631597972 -->
<!-- Awoo -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Dragon_Humanlike_Kilhn</defName>
<raceNames>
<li>Dragon_Kilhn</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>GapingAnus</li>
<li>GapingAnus</li>
<li>DemonAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>DragonVagina</li>
<li>GapingVagina</li>
<li>GapingVagina</li>
<li>GapingVagina</li>
<li>GapingVagina</li>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>DragonPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>Hemipenis</li>
<li>CrocodilianPenis</li>
<li>DemonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Scales</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Kilhn.xml
|
XML
|
unknown
| 4,006 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Klickmala Race (Humanoid Insect Alien Race). 1861316304. https://steamcommunity.com/sharedfiles/filedetails/?id=1861316304 -->
<rjw.RaceGroupDef>
<defName>Klickmala_Insect_People</defName>
<raceNames>
<li>KlickmalaRace</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>InsectAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>OvipositorM</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Chitin</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Klickmala.xml
|
XML
|
unknown
| 1,204 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Kolra Oni Race Mod. 1887026903 -->
<rjw.RaceGroupDef>
<defName>Kolra_Oni</defName>
<raceNames>
<li>Alien_BlueOni</li>
<li>Alien_GreenOni</li>
<li>Alien_RedOni</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>Vagina</li>
<li>LooseVagina</li>
<li>GapingVagina</li>
<li>DemonVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Penis</li>
<li>BigPenis</li>
<li>HugePenis</li>
<li>DemonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Demon</li>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Kolra_Oni.xml
|
XML
|
unknown
| 1,306 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Kurin, The Three Tailed Fox. 1662412040 -->
<!-- Awoo -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Kurin_Three_Tailed_Fox</defName>
<raceNames>
<li>DRNTF_Race</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DogPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Kurin.xml
|
XML
|
unknown
| 1,461 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Lost Forest. 1847010407 -->
<!-- Use GenderBalancer and the Patch or edit yourself -->
<!-- Leffy -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_Mammal</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>LF_Leffy</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>NarrowVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
<li>0.5</li>
</chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>NeedlePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Dragonia -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_DragonGirl</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>>LF_Dragonia</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<!-- This section will be unused both in both the case of Gender Patch and no patch -->
<maleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
</maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Scales</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- PetiteServantDragon -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_Dragon</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>LF_PetiteServantDragon</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DragonVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<maleBreasts>
<li>FeaturelessChest</li>
</maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DragonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Scales</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- The Flats -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_Flats</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>LF_Foxia</li>
<li>LF_Glacia</li>
<li>LF_Lefca</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<!-- This section will be unused both in both the case of Gender Patch and no patch -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Flammelia -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_Harpy</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>LF_Flammelia</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>CloacalAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>CloacalVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<!-- This section will be unused both in both the case of Gender Patch and no patch -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Feathers</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Wolvern -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>LF_WolfGirl</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>LF_Wolvern</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>SmallBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<!-- This section will be unused in both the case of Gender Patch and no patch -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/LostForest.xml
|
XML
|
unknown
| 9,676 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Barky's Lupaios Race Pack (for 1.0). 1718452287. https://steamcommunity.com/sharedfiles/filedetails/?id=1718452287 -->
<rjw.RaceGroupDef>
<defName>Wolf_People_Lupaios</defName>
<raceNames>
<li>Lupaios</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DogVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DogPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Lupaios.xml
|
XML
|
unknown
| 1,429 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- "Doedicurus" part of the chlamyphorid family-->
<rjw.RaceGroupDef>
<defName>MF_Doedicurus_ZiR</defName>
<raceNames>
<li>Doedicurus</li>
</raceNames>
<anuses>
<li>ChlamyphoridAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>ChlamyphoridVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>ChlamyphoridPenis</li>
<li>MicroChlamyphoridPenis</li>
<li>SmallChlamyphoridPenis</li>
<li>BigChlamyphoridPenis</li>
<li>HugeChlamyphoridPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Daeodon" part of the entelodontid family-->
<rjw.RaceGroupDef>
<defName>MF_Daeodon_ZiR</defName>
<raceNames>
<li>Daeodon</li>
</raceNames>
<anuses>
<li>EntelodontidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>EntelodontidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>EntelodontidPenis</li>
<li>MicroEntelodontidPenis</li>
<li>SmallEntelodontidPenis</li>
<li>BigEntelodontidPenis</li>
<li>HugeEntelodontidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Andrewsarchus" part of the entelodontid family-->
<rjw.RaceGroupDef>
<defName>MF_Andrewsarchus_ZiR</defName>
<raceNames>
<li>Andrewsarchus</li>
</raceNames>
<anuses>
<li>EntelodontidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>EntelodontidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>EntelodontidPenis</li>
<li>MicroEntelodontidPenis</li>
<li>SmallEntelodontidPenis</li>
<li>BigEntelodontidPenis</li>
<li>HugeEntelodontidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Gigantopithecus" part of the hominid family-->
<rjw.RaceGroupDef>
<defName>MF_Gigantopithecus_ZiR</defName>
<raceNames>
<li>Gigantopithecus</li>
</raceNames>
<anuses>
<li>HominidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>HominidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>HominidPenis</li>
<li>MicroHominidPenis</li>
<li>SmallHominidPenis</li>
<li>BigHominidPenis</li>
<li>HugeHominidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Paraceratherium" part of the hyracodontid family-->
<rjw.RaceGroupDef>
<defName>MF_Paraceratherium_ZiR</defName>
<raceNames>
<li>Paraceratherium</li>
</raceNames>
<anuses>
<li>HyracodontidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>HyracodontidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>HyracodontidPenis</li>
<li>MicroHyracodontidPenis</li>
<li>SmallHyracodontidPenis</li>
<li>BigHyracodontidPenis</li>
<li>HugeHyracodontidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Titanis" part of the phorusrhacid family-->
<rjw.RaceGroupDef>
<defName>MF_Titanis_ZiR</defName>
<raceNames>
<li>Titanis</li>
</raceNames>
<anuses>
<li>PhorusrhacidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>PhorusrhacidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>PhorusrhacidPenis</li>
<li>MicroPhorusrhacidPenis</li>
<li>SmallPhorusrhacidPenis</li>
<li>BigPhorusrhacidPenis</li>
<li>HugePhorusrhacidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Titanoboa" part of the boa family-->
<rjw.RaceGroupDef>
<defName>MF_Titanoboa_ZiR</defName>
<raceNames>
<li>Titanoboa</li>
</raceNames>
<anuses>
<li>BoaAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>BoaVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>BoaPenises</li>
<li>MicroBoaPenises</li>
<li>SmallBoaPenises</li>
<li>BigBoaPenises</li>
<li>HugeBoaPenises</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "WoollyMammoth" part of the elephantid family-->
<rjw.RaceGroupDef>
<defName>MF_WoollyMammoth_ZiR</defName>
<raceNames>
<li>WoollyMammoth</li>
</raceNames>
<anuses>
<li>ElephantidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>ElephantidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>ElephantidPenis</li>
<li>MicroElephantidPenis</li>
<li>SmallElephantidPenis</li>
<li>BigElephantidPenis</li>
<li>HugeElephantidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Zygolophodon" part of the elephantid family-->
<rjw.RaceGroupDef>
<defName>MF_Zygolophodon_ZiR</defName>
<raceNames>
<li>Zygolophodon</li>
</raceNames>
<anuses>
<li>ElephantidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>ElephantidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>ElephantidPenis</li>
<li>MicroElephantidPenis</li>
<li>SmallElephantidPenis</li>
<li>BigElephantidPenis</li>
<li>HugeElephantidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Elasmotherium" part of the rhinocerotid family-->
<rjw.RaceGroupDef>
<defName>MF_Elasmotherium_ZiR</defName>
<raceNames>
<li>Elasmotherium</li>
</raceNames>
<anuses>
<li>RhinocerotidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>RhinocerotidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>RhinocerotidPenis</li>
<li>MicroRhinocerotidPenis</li>
<li>SmallRhinocerotidPenis</li>
<li>BigRhinocerotidPenis</li>
<li>HugeRhinocerotidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Smilodon" part of the felid family-->
<rjw.RaceGroupDef>
<defName>MF_Smilodon_ZiR</defName>
<raceNames>
<li>Smilodon</li>
</raceNames>
<anuses>
<li>FelidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>FelidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>FelidPenis</li>
<li>MicroFelidPenis</li>
<li>SmallFelidPenis</li>
<li>BigFelidPenis</li>
<li>HugeFelidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Chalicotherium" part of the chalicotheriid family-->
<rjw.RaceGroupDef>
<defName>MF_Chalicotherium_ZiR</defName>
<raceNames>
<li>Chalicotherium</li>
</raceNames>
<anuses>
<li>ChalicotheriidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>ChalicotheriidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>ChalicotheriidPenis</li>
<li>MicroChalicotheriidPenis</li>
<li>SmallChalicotheriidPenis</li>
<li>BigChalicotheriidPenis</li>
<li>HugeChalicotheriidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Megaloceros" part of the cervid family-->
<rjw.RaceGroupDef>
<defName>MF_Megaloceros_ZiR</defName>
<raceNames>
<li>Megaloceros</li>
</raceNames>
<anuses>
<li>CervidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>CervidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>CervidPenis</li>
<li>MicroCervidPenis</li>
<li>SmallCervidPenis</li>
<li>BigCervidPenis</li>
<li>HugeCervidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Procoptodon" part of the macropodid family-->
<rjw.RaceGroupDef>
<defName>MF_Procoptodon_ZiR</defName>
<raceNames>
<li>Procoptodon</li>
</raceNames>
<anuses>
<li>MacropodidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>MacropodidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>MacropodidPenis</li>
<li>MicroMacropodidPenis</li>
<li>SmallMacropodidPenis</li>
<li>BigMacropodidPenis</li>
<li>HugeMacropodidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Megalania" part of the varanid family-->
<rjw.RaceGroupDef>
<defName>MF_Megalania_ZiR</defName>
<raceNames>
<li>Megalania</li>
</raceNames>
<anuses>
<li>VaranidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>VaranidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>VaranidPenis</li>
<li>MicroVaranidPenis</li>
<li>SmallVaranidPenis</li>
<li>BigVaranidPenis</li>
<li>HugeVaranidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Gomphotaria" part of the odobenid family-->
<rjw.RaceGroupDef>
<defName>MF_Gomphotaria_ZiR</defName>
<raceNames>
<li>Gomphotaria</li>
</raceNames>
<anuses>
<li>OdobenidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>OdobenidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>OdobenidPenis</li>
<li>MicroOdobenidPenis</li>
<li>SmallOdobenidPenis</li>
<li>BigOdobenidPenis</li>
<li>HugeOdobenidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Diprotodon" part of the Diprotodontid family-->
<rjw.RaceGroupDef>
<defName>MF_Diprotodon_ZiR</defName>
<raceNames>
<li>Diprotodon</li>
</raceNames>
<anuses>
<li>DiprotodontidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>DiprotodontidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>DiprotodontidPenis</li>
<li>MicroDiprotodontidPenis</li>
<li>SmallDiprotodontidPenis</li>
<li>BigDiprotodontidPenis</li>
<li>HugeDiprotodontidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "ShortfacedBear" part of the ursid family-->
<rjw.RaceGroupDef>
<defName>MF_ShortfacedBear_ZiR</defName>
<raceNames>
<li>ShortfacedBear</li>
</raceNames>
<anuses>
<li>UrsidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>UrsidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>UrsidPenis</li>
<li>MicroUrsidPenis</li>
<li>SmallUrsidPenis</li>
<li>BigUrsidPenis</li>
<li>HugeUrsidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Dinocrocuta" part of the percrocutid family-->
<rjw.RaceGroupDef>
<defName>MF_Dinocrocuta_ZiR</defName>
<raceNames>
<li>Dinocrocuta</li>
</raceNames>
<anuses>
<li>PercrocutidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>PercrocutidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>PercrocutidPenis</li>
<li>MicroPercrocutidPenis</li>
<li>SmallPercrocutidPenis</li>
<li>BigPercrocutidPenis</li>
<li>HugePercrocutidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Sivatherium" part of the giraffid family-->
<rjw.RaceGroupDef>
<defName>MF_Sivatherium_ZiR</defName>
<raceNames>
<li>Sivatherium</li>
</raceNames>
<anuses>
<li>GiraffidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>GiraffidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>GiraffidPenis</li>
<li>MicroGiraffidPenis</li>
<li>SmallGiraffidPenis</li>
<li>BigGiraffidPenis</li>
<li>HugeGiraffidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Dinornis" part of the dinornithid family-->
<rjw.RaceGroupDef>
<defName>MF_Dinornis_ZiR</defName>
<raceNames>
<li>Dinornis</li>
</raceNames>
<anuses>
<li>DinornithidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>DinornithidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>DinornithidPenis</li>
<li>MicroDinornithidPenis</li>
<li>SmallDinornithidPenis</li>
<li>BigDinornithidPenis</li>
<li>HugeDinornithidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Macrauchenia" part of the macraucheniid family-->
<rjw.RaceGroupDef>
<defName>MF_Macrauchenia_ZiR</defName>
<raceNames>
<li>Macrauchenia</li>
</raceNames>
<anuses>
<li>MacraucheniidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>MacraucheniidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>MacraucheniidPenis</li>
<li>MicroMacraucheniidPenis</li>
<li>SmallMacraucheniidPenis</li>
<li>BigMacraucheniidPenis</li>
<li>HugeMacraucheniidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Quinkana" part of the crocodylid family-->
<rjw.RaceGroupDef>
<defName>MF_Quinkana_ZiR</defName>
<raceNames>
<li>Quinkana</li>
</raceNames>
<anuses>
<li>CrocodylidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>CrocodylidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>CrocodylidPenis</li>
<li>MicroCrocodylidPenis</li>
<li>SmallCrocodylidPenis</li>
<li>BigCrocodylidPenis</li>
<li>HugeCrocodylidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Purussaurus" part of the crocodylid family-->
<rjw.RaceGroupDef>
<defName>MF_Purussaurus_ZiR</defName>
<raceNames>
<li>Purussaurus</li>
</raceNames>
<anuses>
<li>CrocodylidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>CrocodylidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>CrocodylidPenis</li>
<li>MicroCrocodylidPenis</li>
<li>SmallCrocodylidPenis</li>
<li>BigCrocodylidPenis</li>
<li>HugeCrocodylidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Deinotherium" part of the deinotheriid family-->
<rjw.RaceGroupDef>
<defName>MF_Deinotherium_ZiR</defName>
<raceNames>
<li>Deinotherium</li>
</raceNames>
<anuses>
<li>DeinotheriidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>DeinotheriidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>DeinotheriidPenis</li>
<li>MicroDeinotheriidPenis</li>
<li>SmallDeinotheriidPenis</li>
<li>BigDeinotheriidPenis</li>
<li>HugeDeinotheriidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Aurochs" part of the bovid family-->
<rjw.RaceGroupDef>
<defName>MF_Aurochs_ZiR</defName>
<raceNames>
<li>Aurochs</li>
</raceNames>
<anuses>
<li>BovidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>BovidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>BovidPenis</li>
<li>MicroBovidPenis</li>
<li>SmallBovidPenis</li>
<li>BigBovidPenis</li>
<li>HugeBovidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Megalochelys" part of the testudinid family-->
<rjw.RaceGroupDef>
<defName>MF_Megalochelys_ZiR</defName>
<raceNames>
<li>Megalochelys</li>
</raceNames>
<anuses>
<li>TestudinidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>TestudinidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>TestudinidPenis</li>
<li>MicroTestudinidPenis</li>
<li>SmallTestudinidPenis</li>
<li>BigTestudinidPenis</li>
<li>HugeTestudinidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Palaeeudyptes" part of the spheniscid family-->
<rjw.RaceGroupDef>
<defName>MF_Palaeeudyptes_ZiR</defName>
<raceNames>
<li>Palaeeudyptes</li>
</raceNames>
<anuses>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>SpheniscidCloaka</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>SpheniscidCloaka</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Josephoartigasia" part of the dinomyid family-->
<rjw.RaceGroupDef>
<defName>MF_Josephoartigasia_ZiR</defName>
<raceNames>
<li>Josephoartigasia</li>
</raceNames>
<anuses>
<li>DinomyidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>DinomyidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>DinomyidPenis</li>
<li>MicroDinomyidPenis</li>
<li>SmallDinomyidPenis</li>
<li>BigDinomyidPenis</li>
<li>HugeDinomyidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Gigantophis" part of the madtsoiid family-->
<rjw.RaceGroupDef>
<defName>MF_Gigantophis_ZiR</defName>
<raceNames>
<li>Gigantophis</li>
</raceNames>
<anuses>
<li>MadtsoiidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>MadtsoiidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>MadtsoiidPenises</li>
<li>MicroMadtsoiidPenises</li>
<li>SmallMadtsoiidPenises</li>
<li>BigMadtsoiidPenises</li>
<li>HugeMadtsoiidPenises</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Platybelodon" part of the amebelodontid family-->
<rjw.RaceGroupDef>
<defName>MF_Platybelodon_ZiR</defName>
<raceNames>
<li>Platybelodon</li>
</raceNames>
<anuses>
<li>AmebelodontidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>AmebelodontidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>AmebelodontidPenis</li>
<li>MicroAmebelodontidPenis</li>
<li>SmallAmebelodontidPenis</li>
<li>BigAmebelodontidPenis</li>
<li>HugeAmebelodontidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Uintatherium" part of the uintatheriid family-->
<rjw.RaceGroupDef>
<defName>MF_Uintatherium_ZiR</defName>
<raceNames>
<li>Uintatherium</li>
</raceNames>
<anuses>
<li>UintatheriidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>UintatheriidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>UintatheriidPenis</li>
<li>MicroUintatheriidPenis</li>
<li>SmallUintatheriidPenis</li>
<li>BigUintatheriidPenis</li>
<li>HugeUintatheriidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Dinopithecus" part of the cercopithecid family-->
<rjw.RaceGroupDef>
<defName>MF_Dinopithecus_ZiR</defName>
<raceNames>
<li>Dinopithecus</li>
</raceNames>
<anuses>
<li>CercopithecidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>CercopithecidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>CercopithecidPenis</li>
<li>MicroCercopithecidPenis</li>
<li>SmallCercopithecidPenis</li>
<li>BigCercopithecidPenis</li>
<li>HugeCercopithecidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Castoroides" part of the castorid family-->
<rjw.RaceGroupDef>
<defName>MF_Castoroides_ZiR</defName>
<raceNames>
<li>Castoroides</li>
</raceNames>
<anuses>
<li>CastoridAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>CastoridVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>CastoridPenis</li>
<li>MicroCastoridPenis</li>
<li>SmallCastoridPenis</li>
<li>BigCastoridPenis</li>
<li>HugeCastoridPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- "Enhydriodon" part of the mustelid family-->
<rjw.RaceGroupDef>
<defName>MF_Enhydriodon_ZiR</defName>
<raceNames>
<li>Enhydriodon</li>
</raceNames>
<anuses>
<li>MustelidAnus</li>
</anuses>
<chanceanuses>
</chanceanuses>
<femaleBreasts>
<li>GenericBreasts</li>
</femaleBreasts>
<chancefemaleBreasts>
</chancefemaleBreasts>
<femaleGenitals>
<li>MustelidVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
</chancefemaleGenitals>
<maleBreasts>
</maleBreasts>
<chancemaleBreasts>
</chancemaleBreasts>
<maleGenitals>
<li>MustelidPenis</li>
<li>MicroMustelidPenis</li>
<li>SmallMustelidPenis</li>
<li>BigMustelidPenis</li>
<li>HugeMustelidPenis</li>
</maleGenitals>
<chancemaleGenitals>
</chancemaleGenitals>
<tags>
<!--
<li></li>
-->
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Megafauna.xml
|
XML
|
unknown
| 43,712 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Nephila -->
<rjw.RaceGroupDef>
<defName>Nephila_Group</defName>
<raceNames>
<li>Nephila</li>
<li>NephilaHandmaiden</li>
<li>NephilaMatron</li>
</raceNames>
<hasFertility>false</hasFertility>
<hasSingleGender>true</hasSingleGender>
<femaleBreasts>
<li>NephilaBreasts</li>
</femaleBreasts>
<chancefemaleGenitals>
<li>1.0</li>
</chancefemaleGenitals>
<femaleGenitals>
<li>SlimeVagina</li>
</femaleGenitals>
<maleGenitals>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals>
<li>1.0</li>
</chancemaleGenitals>
<anuses>
<li>SlimeAnus</li>
</anuses>
<tags>
<li>Slime</li>
</tags>
</rjw.RaceGroupDef>
<!-- GrandMatron -->
<rjw.RaceGroupDef>
<defName>NephilaGrandMatron_Group</defName>
<raceNames>
<li>NephilaGrandMatron</li>
</raceNames>
<hasFertility>false</hasFertility>
<hasSingleGender>true</hasSingleGender>
<femaleBreasts>
<li>NephilaBreasts</li>
</femaleBreasts>
<chancefemaleGenitals>
<li>1.0</li>
</chancefemaleGenitals>
<femaleGenitals>
<li>SlimeVagina</li>
<li>OvipositorF</li>
</femaleGenitals>
<maleGenitals>
<li>SlimeTentacles</li>
</maleGenitals>
<chancemaleGenitals>
<li>1.0</li>
</chancemaleGenitals>
<anuses>
<li>SlimeAnus</li>
</anuses>
<tags>
<li>Slime</li>
</tags>
</rjw.RaceGroupDef>
<!-- QueensGuard -->
<rjw.RaceGroupDef>
<defName>NephilaGuardian_Group</defName>
<raceNames>
<li>NephilaQueensGuard</li>
</raceNames>
<hasFertility>false</hasFertility>
<chancefemaleGenitals>
<li>1.0</li>
</chancefemaleGenitals>
<femaleBreasts>
<li>NephilaSlimeBreasts</li>
</femaleBreasts>
<femaleGenitals>
<li>SlimeVagina</li>
</femaleGenitals>
<anuses>
<li>SlimeAnus</li>
</anuses>
<tags>
<li>Slime</li>
</tags>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Nephila.xml
|
XML
|
unknown
| 1,959 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- NewRatkinPlus. 1578693166 -->
<!-- Ratkin -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Rat_kin</defName>
<raceNames>
<li>Ratkin</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>MicroAnus</li>
<li>MicroAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>MicroAnus</li>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>MicroVagina</li>
<li>MicroVagina</li>
<li>MicroVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>RodentPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Rotti -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Rotti_Animal</defName>
<raceNames>
<li>Rotti</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- KingHamster -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>King_Hamster</defName>
<raceNames>
<li>RK_KingHamster</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>Anus</li>
<li>LooseAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>Vagina</li>
<li>LooseVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Penis</li>
<li>BigPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/NewRatkinPlus.xml
|
XML
|
unknown
| 3,600 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Nyaron. 1854376306 -->
<!-- Me-yaow -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Nyaron_Neko_Girls</defName>
<raceNames>
<li>Alien_Nyaron</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>MicroAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
<li>Vagina</li>
<li>LooseVagina</li>
<li>CatVagina</li>
<li>MicroVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CatPenis</li>
<li>SmallPenis</li>
<li>Penis</li>
<li>SmallPenis</li>
<li>SmallPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Nyaron.xml
|
XML
|
unknown
| 1,648 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Ooka Miko[1.0]. 1536817379 -->
<rjw.RaceGroupDef>
<defName>Ooka_Miko</defName>
<raceNames>
<li>Ooka_Miko</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>TightAnus</li>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>TightVagina</li>
<li>Vagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals></maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>true</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Ooka Miko.xml
|
XML
|
unknown
| 1,044 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Orassans. 1541519487. https://steamcommunity.com/sharedfiles/filedetails/?id=1541519487 -->
<!-- Creama da le NyaNya -->
<rjw.RaceGroupDef>
<defName>Orassan_Petite_Cat_Furries</defName>
<raceNames>
<li>Alien_Orassan</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>MicroAnus</li>
<li>MicroAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>LooseAnus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
<li>GapingAnus</li>
<li>HydraulicAnus</li>
<li>BionicAnus</li>
<li>ArchotechAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>LargeBreasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
<li>HydraulicBreasts</li>
<li>BionicBreasts</li>
<li>ArchotechBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>CatVagina</li>
<li>HydraulicVagina</li>
<li>HydraulicVagina</li>
<li>HydraulicVagina</li>
<li>BionicVagina</li>
<li>BionicVagina</li>
<li>ArchotechVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>CatPenis</li>
<li>HydraulicPenis</li>
<li>HydraulicPenis</li>
<li>HydraulicPenis</li>
<li>BionicPenis</li>
<li>BionicPenis</li>
<li>ArchotechPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
<!-- Ori -->
<rjw.RaceGroupDef>
<defName>Orassan_Mammal_Ori</defName>
<raceNames>
<li>Ori</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FeaturelessChest</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>NarrowVagina</li>
</femaleGenitals>
<chancefemaleGenitals>
<li>0.5</li>
</chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>NeedlePenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Orassans.xml
|
XML
|
unknown
| 5,713 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Not on Steam -->
<!-- Eldar -->
<rjw.RaceGroupDef>
<defName>RH40K_Eldar</defName>
<raceNames>
<li>Alien_Eldar</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>ElfAnus_Ab</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>ElfVagina_Ab</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>ElfPenis_Ab</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Skin</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/RH40K.xml
|
XML
|
unknown
| 1,393 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Rabbie The Moonrabbit race. 1837246563 -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef.-->
<defName>Rabbie_The_Moonrabbit</defName>
<raceNames>
<li>Rabbie</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>TightAnus</li>
<li>Anus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>FlatBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>MicroVagina</li>
<li>TightVagina</li>
<li>TightVagina</li>
<li>Vagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>MicroPenis</li>
<li>SmallPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Rabbie_The_Moonrabbit.xml
|
XML
|
unknown
| 1,367 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- [SYR] Naga. 1539971494 -->
<rjw.RaceGroupDef>
<!-- The name of this RaceGroupDef. -->
<defName>SYR_Naga</defName>
<!-- Just a list of strings, should not fail based on mods installed. -->
<raceNames>
<li>Naga</li>
</raceNames>
<!-- Prefer to use raceNames over pawnKindNames where possible. -->
<pawnKindNames>
</pawnKindNames>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<anuses>
<li>MicroAnus</li>
<li>TightAnus</li>
<li>Anus</li>
<li>LooseAnus</li>
<li>GapingAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<!-- A list with multiples will pick one at random. -->
<femaleBreasts>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
<li>HugeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>OvipositorF</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<!-- A missing list means to use the regular part picking code for that sex part type. -->
<!-- Mayb be not used if hasSingleGender is true. -->
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>Hemipenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Scales</li>
</tags>
<!-- All the values below are the defaults and can be omitted. -->
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>true</oviPregnancy>
<ImplantEggs>true</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/SYR_Naga.xml
|
XML
|
unknown
| 1,715 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Soitian. 1628113281 -->
<!-- nothing like getting pinnged a couple hours after falling asleep -->
<rjw.RaceGroupDef>
<defName>Soitian_Demon_Goat_People</defName>
<raceNames>
<li>Alien_Soitian</li>
</raceNames>
<pawnKindNames>
</pawnKindNames>
<anuses>
<li>DemonAnus</li>
</anuses>
<chanceanuses></chanceanuses>
<femaleBreasts>
<li>FlatBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>SmallBreasts</li>
<li>Breasts</li>
<li>Breasts</li>
<li>LargeBreasts</li>
</femaleBreasts>
<chancefemaleBreasts></chancefemaleBreasts>
<femaleGenitals>
<li>DemonVagina</li>
</femaleGenitals>
<chancefemaleGenitals></chancefemaleGenitals>
<maleBreasts></maleBreasts>
<chancemaleBreasts></chancemaleBreasts>
<maleGenitals>
<li>DemonPenis</li>
</maleGenitals>
<chancemaleGenitals></chancemaleGenitals>
<tags>
<li>Fur</li>
</tags>
<hasSingleGender>false</hasSingleGender>
<hasSexNeed>true</hasSexNeed>
<hasFertility>true</hasFertility>
<hasPregnancy>true</hasPregnancy>
<oviPregnancy>false</oviPregnancy>
<ImplantEggs>false</ImplantEggs>
</rjw.RaceGroupDef>
</Defs>
|
Simiol/rjw
|
Defs/RaceSupport/Soitian.xml
|
XML
|
unknown
| 1,241 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Dino -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinoPenis_Ab</defName>
<label>attach dinosaur penis</label>
<description>Attaches a dinosaur penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching dinosaur penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinoPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinoPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinoPenis_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinoVagina_Ab</defName>
<label>attach dino vagina</label>
<description>Attaches a dino vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaches a dino vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinoVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinoVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinoVagina_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="AnalSurgery">
<defName>AttachDinoAnus_Ab</defName>
<label>attach dino anus</label>
<description>Attaches a dino anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching a dino anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinoAnus_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinoAnus_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinoAnus_Ab</addsHediff>
</RecipeDef>
<!-- Orc -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachOrcPenis_Ab</defName>
<label>attach Orc penis</label>
<description>Attaches an orc penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching an orc penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcPenis_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="BreastSurgery">
<defName>AttachOrcVagina_Ab</defName>
<label>attach Orc vagina</label>
<description>Attaches an of orc vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a pair of orc vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcVagina_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="BreastSurgery">
<defName>AttachOrcBreasts_Ab</defName>
<label>attach Orc breasts</label>
<description>Attaches a pair of orc breasts.</description>
<workerClass>rjw.Recipe_InstallBreasts</workerClass>
<jobString>Attaching a pair of orc breasts.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcBreasts_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcBreasts_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcBreasts_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="AnalSurgery">
<defName>AttachOrcAnus_Ab</defName>
<label>attach orc anus</label>
<description>Attaches an orc anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an orc anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcAnus_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcAnus_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcAnus_Ab</addsHediff>
</RecipeDef>
<!-- Elf -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachElfPenis_Ab</defName>
<label>attach Elf penis</label>
<description>Attaches an Elf penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching an Elf penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ElfPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ElfPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ElfPenis_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="SexReassignment">
<defName>AttachElfVagina_Ab</defName>
<label>attach Elf Vagina</label>
<description>Install a tight and elastic elf vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a pair of elf vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ElfVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ElfVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ElfVagina_Ab</addsHediff>
</RecipeDef>
<RecipeDef ParentName="AnalSurgery">
<defName>AttachElfAnus_Ab</defName>
<label>attach elf anus</label>
<description>Attaches an elf anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an elf anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ElfAnus_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ElfAnus_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ElfAnus_Ab</addsHediff>
</RecipeDef>
<!-- **Zimtraucher Edit** -->
<!-- Chlamyphorid Family -->
<!-- <race>Doedicurus</race> *MF* -->
<!-- Average Chlamyphorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachChlamyphoridPenis</defName>
<label>Attach average chlamyphorid penis</label>
<description>Attaches an average chlamyphorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average chlamyphorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Micro Chlamyphorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroChlamyphoridPenis</defName>
<label>Attach mirco chlamyphorid penis</label>
<description>Attaches an micro chlamyphorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro chlamyphorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Small Chlamyphorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallChlamyphoridPenis</defName>
<label>Attach small chlamyphorid penis</label>
<description>Attaches an small chlamyphorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small chlamyphorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Big Chlamyphorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigChlamyphoridPenis</defName>
<label>Attach big chlamyphorid penis</label>
<description>Attaches an big chlamyphorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big chlamyphorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Huge Chlamyphorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeChlamyphoridPenis</defName>
<label>Attach huge chlamyphorid penis</label>
<description>Attaches an huge chlamyphorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge chlamyphorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Chlamyphorid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachChlamyphoridAnus</defName>
<label>Attach chlamyphorid anus</label>
<description>Attaches an chlamyphorid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an chlamyphorid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChlamyphoridAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChlamyphoridAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChlamyphoridAnus</addsHediff>
</RecipeDef>
<!-- Chlamyphorid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachChlamyphoridVagina</defName>
<label>Attach chlamyphorid Vagina</label>
<description>Attaches a chlamyphorid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a chlamyphorid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChlamyphoridVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChlamyphoridVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChlamyphoridVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Entelodontid Family -->
<!-- <race>Daeodon</race> *MF* -->
<!-- <race>Andrewsarchus</race> *MF* -->
<!-- Average Entelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachEntelodontidPenis</defName>
<label>Attach average entelodontid penis</label>
<description>Attaches an average entelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average entelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>EntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>EntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>EntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Entelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroEntelodontidPenis</defName>
<label>Attach mirco entelodontid penis</label>
<description>Attaches an micro entelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro entelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Entelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallEntelodontidPenis</defName>
<label>Attach small entelodontid penis</label>
<description>Attaches an small entelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small entelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Entelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigEntelodontidPenis</defName>
<label>Attach big entelodontid penis</label>
<description>Attaches an big entelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big entelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Entelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeEntelodontidPenis</defName>
<label>Attach huge entelodontid penis</label>
<description>Attaches an huge entelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge entelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Entelodontid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachEntelodontidAnus</defName>
<label>Attach entelodontid anus</label>
<description>Attaches an entelodontid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an entelodontid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>EntelodontidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>EntelodontidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>EntelodontidAnus</addsHediff>
</RecipeDef>
<!-- Entelodontid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachEntelodontidVagina</defName>
<label>Attach entelodontid Vagina</label>
<description>Attaches a entelodontid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a entelodontid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>EntelodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>EntelodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>EntelodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Hominid Family -->
<!-- <race>Gigantopithecus</race> *MF* -->
<!-- Average Hominid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHominidPenis</defName>
<label>Attach average hominid penis</label>
<description>Attaches an average hominid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average hominid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HominidPenis</addsHediff>
</RecipeDef>
<!-- Micro Hominid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroHominidPenis</defName>
<label>Attach mirco hominid penis</label>
<description>Attaches an micro hominid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro hominid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroHominidPenis</addsHediff>
</RecipeDef>
<!-- Small Hominid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallHominidPenis</defName>
<label>Attach small hominid penis</label>
<description>Attaches an small hominid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small hominid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallHominidPenis</addsHediff>
</RecipeDef>
<!-- Big Hominid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigHominidPenis</defName>
<label>Attach big hominid penis</label>
<description>Attaches an big hominid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big hominid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigHominidPenis</addsHediff>
</RecipeDef>
<!-- Huge Hominid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeHominidPenis</defName>
<label>Attach huge hominid penis</label>
<description>Attaches an huge hominid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge hominid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeHominidPenis</addsHediff>
</RecipeDef>
<!-- Hominid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachHominidAnus</defName>
<label>Attach hominid anus</label>
<description>Attaches an hominid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an hominid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HominidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HominidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HominidAnus</addsHediff>
</RecipeDef>
<!-- Hominid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHominidVagina</defName>
<label>Attach hominid Vagina</label>
<description>Attaches a hominid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a hominid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HominidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HominidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HominidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Phorusrhacid Family -->
<!-- <race>Titanis</race> *MF* -->
<!-- Average Phorusrhacid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachPhorusrhacidPenis</defName>
<label>Attach average phorusrhacid penis</label>
<description>Attaches an average phorusrhacid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average phorusrhacid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Micro Phorusrhacid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroPhorusrhacidPenis</defName>
<label>Attach mirco phorusrhacid penis</label>
<description>Attaches an micro phorusrhacid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro phorusrhacid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Small Phorusrhacid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallPhorusrhacidPenis</defName>
<label>Attach small phorusrhacid penis</label>
<description>Attaches an small phorusrhacid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small phorusrhacid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Big Phorusrhacid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigPhorusrhacidPenis</defName>
<label>Attach big phorusrhacid penis</label>
<description>Attaches an big phorusrhacid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big phorusrhacid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Huge Phorusrhacid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugePhorusrhacidPenis</defName>
<label>Attach huge phorusrhacid penis</label>
<description>Attaches an huge phorusrhacid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge phorusrhacid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugePhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugePhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugePhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Phorusrhacid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachPhorusrhacidAnus</defName>
<label>Attach phorusrhacid anus</label>
<description>Attaches an phorusrhacid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an phorusrhacid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PhorusrhacidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PhorusrhacidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PhorusrhacidAnus</addsHediff>
</RecipeDef>
<!-- Phorusrhacid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachPhorusrhacidVagina</defName>
<label>Attach phorusrhacid Vagina</label>
<description>Attaches a phorusrhacid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a phorusrhacid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PhorusrhacidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PhorusrhacidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PhorusrhacidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Boa Family -->
<!-- <race>Titanoboa</race> *MF* -->
<!-- Average Boa Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBoaPenises</defName>
<label>Attach average boa penises</label>
<description>Attaches average boa penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average boa penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BoaPenises</addsHediff>
</RecipeDef>
<!-- Micro Boa Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroBoaPenises</defName>
<label>Attach mirco boa penises</label>
<description>Attaches micro boa penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro boa penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroBoaPenises</addsHediff>
</RecipeDef>
<!-- Small Boa Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallBoaPenises</defName>
<label>Attach small boa penises</label>
<description>Attaches small boa penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small boa penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallBoaPenises</addsHediff>
</RecipeDef>
<!-- Big Boa Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigBoaPenises</defName>
<label>Attach big boa penises</label>
<description>Attaches big boa penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big boa penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigBoaPenises</addsHediff>
</RecipeDef>
<!-- Huge Boa Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeBoaPenises</defName>
<label>Attach huge boa penises</label>
<description>Attaches huge boa penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge boa penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeBoaPenises</addsHediff>
</RecipeDef>
<!-- Boa Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachBoaAnus</defName>
<label>Attach boa anus</label>
<description>Attaches an boa anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an boa anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BoaAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BoaAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BoaAnus</addsHediff>
</RecipeDef>
<!-- Boa Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBoaVagina</defName>
<label>Attach boa Vagina</label>
<description>Attaches a boa vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a boa vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BoaVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BoaVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BoaVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Rhinocerotid Family -->
<!-- <race>Elasmotherium</race> *MF* -->
<!-- Average Rhinocerotid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachRhinocerotidPenis</defName>
<label>Attach average rhinocerotid penis</label>
<description>Attaches an average rhinocerotid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average rhinocerotid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>RhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>RhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>RhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Micro Rhinocerotid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroRhinocerotidPenis</defName>
<label>Attach mirco rhinocerotid penis</label>
<description>Attaches an micro rhinocerotid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro rhinocerotid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Small Rhinocerotid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallRhinocerotidPenis</defName>
<label>Attach small rhinocerotid penis</label>
<description>Attaches an small rhinocerotid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small rhinocerotid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Big Rhinocerotid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigRhinocerotidPenis</defName>
<label>Attach big rhinocerotid penis</label>
<description>Attaches an big rhinocerotid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big rhinocerotid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Huge Rhinocerotid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeRhinocerotidPenis</defName>
<label>Attach huge rhinocerotid penis</label>
<description>Attaches an huge rhinocerotid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge rhinocerotid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Rhinocerotid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachRhinocerotidAnus</defName>
<label>Attach rhinocerotid anus</label>
<description>Attaches an rhinocerotid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an rhinocerotid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>RhinocerotidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>RhinocerotidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>RhinocerotidAnus</addsHediff>
</RecipeDef>
<!-- Rhinocerotid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachRhinocerotidVagina</defName>
<label>Attach rhinocerotid Vagina</label>
<description>Attaches a rhinocerotid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a rhinocerotid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>RhinocerotidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>RhinocerotidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>RhinocerotidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Felid Family -->
<!-- <race>Smilodon</race> *MF* -->
<!-- Average Felid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachFelidPenis</defName>
<label>Attach average felid penis</label>
<description>Attaches an average felid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average felid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>FelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>FelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>FelidPenis</addsHediff>
</RecipeDef>
<!-- Micro Felid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroFelidPenis</defName>
<label>Attach mirco felid penis</label>
<description>Attaches an micro felid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro felid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroFelidPenis</addsHediff>
</RecipeDef>
<!-- Small Felid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallFelidPenis</defName>
<label>Attach small felid penis</label>
<description>Attaches an small felid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small felid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallFelidPenis</addsHediff>
</RecipeDef>
<!-- Big Felid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigFelidPenis</defName>
<label>Attach big felid penis</label>
<description>Attaches an big felid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big felid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigFelidPenis</addsHediff>
</RecipeDef>
<!-- Huge Felid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeFelidPenis</defName>
<label>Attach huge felid penis</label>
<description>Attaches an huge felid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge felid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeFelidPenis</addsHediff>
</RecipeDef>
<!-- Felid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachFelidAnus</defName>
<label>Attach felid anus</label>
<description>Attaches an felid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an felid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>FelidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>FelidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>FelidAnus</addsHediff>
</RecipeDef>
<!-- Felid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachFelidVagina</defName>
<label>Attach felid Vagina</label>
<description>Attaches a felid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a felid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>FelidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>FelidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>FelidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Chalicotheriid Family -->
<!-- <race>Chalicotherium</race> *MF* -->
<!-- Average Chalicotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachChalicotheriidPenis</defName>
<label>Attach average chalicotheriid penis</label>
<description>Attaches an average chalicotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average chalicotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Chalicotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroChalicotheriidPenis</defName>
<label>Attach mirco chalicotheriid penis</label>
<description>Attaches an micro chalicotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro chalicotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Chalicotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallChalicotheriidPenis</defName>
<label>Attach small chalicotheriid penis</label>
<description>Attaches an small chalicotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small chalicotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Chalicotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigChalicotheriidPenis</defName>
<label>Attach big chalicotheriid penis</label>
<description>Attaches an big chalicotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big chalicotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Chalicotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeChalicotheriidPenis</defName>
<label>Attach huge chalicotheriid penis</label>
<description>Attaches an huge chalicotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge chalicotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Chalicotheriid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachChalicotheriidAnus</defName>
<label>Attach chalicotheriid anus</label>
<description>Attaches an chalicotheriid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an chalicotheriid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChalicotheriidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChalicotheriidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChalicotheriidAnus</addsHediff>
</RecipeDef>
<!-- Chalicotheriid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachChalicotheriidVagina</defName>
<label>Attach chalicotheriid Vagina</label>
<description>Attaches a chalicotheriid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a chalicotheriid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChalicotheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChalicotheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChalicotheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macropodid Family -->
<!-- <race>Procoptodon</race> *MF* -->
<!-- Average Macropodid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMacropodidPenis</defName>
<label>Attach average macropodid penis</label>
<description>Attaches an average macropodid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average macropodid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacropodidPenis</addsHediff>
</RecipeDef>
<!-- Micro Macropodid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroMacropodidPenis</defName>
<label>Attach mirco macropodid penis</label>
<description>Attaches an micro macropodid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro macropodid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Small Macropodid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallMacropodidPenis</defName>
<label>Attach small macropodid penis</label>
<description>Attaches an small macropodid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small macropodid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Big Macropodid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigMacropodidPenis</defName>
<label>Attach big macropodid penis</label>
<description>Attaches an big macropodid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big macropodid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Huge Macropodid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeMacropodidPenis</defName>
<label>Attach huge macropodid penis</label>
<description>Attaches an huge macropodid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge macropodid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Macropodid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachMacropodidAnus</defName>
<label>Attach macropodid anus</label>
<description>Attaches an macropodid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an macropodid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacropodidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacropodidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacropodidAnus</addsHediff>
</RecipeDef>
<!-- Macropodid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMacropodidVagina</defName>
<label>Attach macropodid Vagina</label>
<description>Attaches a macropodid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a macropodid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacropodidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacropodidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacropodidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Varanid Family -->
<!-- <race>Megalania</race> *MF* -->
<!-- Average Varanid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachVaranidPenis</defName>
<label>Attach average varanid penis</label>
<description>Attaches an average varanid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average varanid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>VaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>VaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>VaranidPenis</addsHediff>
</RecipeDef>
<!-- Micro Varanid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroVaranidPenis</defName>
<label>Attach mirco varanid penis</label>
<description>Attaches an micro varanid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro varanid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroVaranidPenis</addsHediff>
</RecipeDef>
<!-- Small Varanid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallVaranidPenis</defName>
<label>Attach small varanid penis</label>
<description>Attaches an small varanid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small varanid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallVaranidPenis</addsHediff>
</RecipeDef>
<!-- Big Varanid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigVaranidPenis</defName>
<label>Attach big varanid penis</label>
<description>Attaches an big varanid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big varanid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigVaranidPenis</addsHediff>
</RecipeDef>
<!-- Huge Varanid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeVaranidPenis</defName>
<label>Attach huge varanid penis</label>
<description>Attaches an huge varanid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge varanid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeVaranidPenis</addsHediff>
</RecipeDef>
<!-- Varanid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachVaranidAnus</defName>
<label>Attach varanid anus</label>
<description>Attaches an varanid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an varanid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>VaranidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>VaranidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>VaranidAnus</addsHediff>
</RecipeDef>
<!-- Varanid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachVaranidVagina</defName>
<label>Attach varanid Vagina</label>
<description>Attaches a varanid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a varanid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>VaranidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>VaranidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>VaranidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Odobenid Family -->
<!-- <race>Gomphotaria</race> *MF* -->
<!-- Average Odobenid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachOdobenidPenis</defName>
<label>Attach average odobenid penis</label>
<description>Attaches an average odobenid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average odobenid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OdobenidPenis</addsHediff>
</RecipeDef>
<!-- Micro Odobenid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroOdobenidPenis</defName>
<label>Attach mirco odobenid penis</label>
<description>Attaches an micro odobenid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro odobenid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Small Odobenid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallOdobenidPenis</defName>
<label>Attach small odobenid penis</label>
<description>Attaches an small odobenid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small odobenid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Big Odobenid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigOdobenidPenis</defName>
<label>Attach big odobenid penis</label>
<description>Attaches an big odobenid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big odobenid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Huge Odobenid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeOdobenidPenis</defName>
<label>Attach huge odobenid penis</label>
<description>Attaches an huge odobenid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge odobenid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Odobenid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachOdobenidAnus</defName>
<label>Attach odobenid anus</label>
<description>Attaches an odobenid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an odobenid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OdobenidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OdobenidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OdobenidAnus</addsHediff>
</RecipeDef>
<!-- Odobenid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachOdobenidVagina</defName>
<label>Attach odobenid Vagina</label>
<description>Attaches a odobenid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a odobenid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OdobenidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OdobenidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OdobenidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Diprotodontid Family -->
<!-- <race>Diprotodon</race> *MF* -->
<!-- Average Diprotodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDiprotodontidPenis</defName>
<label>Attach average diprotodontid penis</label>
<description>Attaches an average diprotodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average diprotodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Diprotodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroDiprotodontidPenis</defName>
<label>Attach mirco diprotodontid penis</label>
<description>Attaches an micro diprotodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro diprotodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Diprotodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallDiprotodontidPenis</defName>
<label>Attach small diprotodontid penis</label>
<description>Attaches an small diprotodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small diprotodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Diprotodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigDiprotodontidPenis</defName>
<label>Attach big diprotodontid penis</label>
<description>Attaches an big diprotodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big diprotodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Diprotodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeDiprotodontidPenis</defName>
<label>Attach huge diprotodontid penis</label>
<description>Attaches an huge diprotodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge diprotodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Diprotodontid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachDiprotodontidAnus</defName>
<label>Attach diprotodontid anus</label>
<description>Attaches an diprotodontid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an diprotodontid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DiprotodontidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DiprotodontidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DiprotodontidAnus</addsHediff>
</RecipeDef>
<!-- Diprotodontid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDiprotodontidVagina</defName>
<label>Attach diprotodontid Vagina</label>
<description>Attaches a diprotodontid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a diprotodontid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DiprotodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DiprotodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DiprotodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Ursid Family -->
<!-- <race>ShortfacedBear</race> *MF* -->
<!-- Average Ursid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachUrsidPenis</defName>
<label>Attach average ursid penis</label>
<description>Attaches an average ursid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average ursid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UrsidPenis</addsHediff>
</RecipeDef>
<!-- Micro Ursid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroUrsidPenis</defName>
<label>Attach mirco ursid penis</label>
<description>Attaches an micro ursid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro ursid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroUrsidPenis</addsHediff>
</RecipeDef>
<!-- Small Ursid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallUrsidPenis</defName>
<label>Attach small ursid penis</label>
<description>Attaches an small ursid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small ursid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallUrsidPenis</addsHediff>
</RecipeDef>
<!-- Big Ursid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigUrsidPenis</defName>
<label>Attach big ursid penis</label>
<description>Attaches an big ursid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big ursid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigUrsidPenis</addsHediff>
</RecipeDef>
<!-- Huge Ursid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeUrsidPenis</defName>
<label>Attach huge ursid penis</label>
<description>Attaches an huge ursid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge ursid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeUrsidPenis</addsHediff>
</RecipeDef>
<!-- Ursid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachUrsidAnus</defName>
<label>Attach ursid anus</label>
<description>Attaches an ursid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an ursid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UrsidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UrsidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UrsidAnus</addsHediff>
</RecipeDef>
<!-- Ursid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachUrsidVagina</defName>
<label>Attach ursid Vagina</label>
<description>Attaches a ursid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a ursid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UrsidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UrsidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UrsidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Percrocutid Family -->
<!-- <race>Dinocrocuta</race> *MF* -->
<!-- Average Percrocutid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachPercrocutidPenis</defName>
<label>Attach average percrocutid penis</label>
<description>Attaches an average percrocutid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average percrocutid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Micro Percrocutid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroPercrocutidPenis</defName>
<label>Attach mirco percrocutid penis</label>
<description>Attaches an micro percrocutid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro percrocutid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Small Percrocutid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallPercrocutidPenis</defName>
<label>Attach small percrocutid penis</label>
<description>Attaches an small percrocutid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small percrocutid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Big Percrocutid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigPercrocutidPenis</defName>
<label>Attach big percrocutid penis</label>
<description>Attaches an big percrocutid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big percrocutid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Huge Percrocutid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugePercrocutidPenis</defName>
<label>Attach huge percrocutid penis</label>
<description>Attaches an huge percrocutid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge percrocutid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugePercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugePercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugePercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Percrocutid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachPercrocutidAnus</defName>
<label>Attach percrocutid anus</label>
<description>Attaches an percrocutid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an percrocutid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PercrocutidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PercrocutidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PercrocutidAnus</addsHediff>
</RecipeDef>
<!-- Percrocutid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachPercrocutidVagina</defName>
<label>Attach percrocutid Vagina</label>
<description>Attaches a percrocutid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a percrocutid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PercrocutidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PercrocutidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PercrocutidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Giraffid Family -->
<!-- <race>Sivatherium</race> *MF* -->
<!-- Average Giraffid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachGiraffidPenis</defName>
<label>Attach average giraffid penis</label>
<description>Attaches an average giraffid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average giraffid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>GiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>GiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>GiraffidPenis</addsHediff>
</RecipeDef>
<!-- Micro Giraffid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroGiraffidPenis</defName>
<label>Attach mirco giraffid penis</label>
<description>Attaches an micro giraffid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro giraffid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Small Giraffid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallGiraffidPenis</defName>
<label>Attach small giraffid penis</label>
<description>Attaches an small giraffid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small giraffid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Big Giraffid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigGiraffidPenis</defName>
<label>Attach big giraffid penis</label>
<description>Attaches an big giraffid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big giraffid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Huge Giraffid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeGiraffidPenis</defName>
<label>Attach huge giraffid penis</label>
<description>Attaches an huge giraffid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge giraffid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Giraffid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachGiraffidAnus</defName>
<label>Attach giraffid anus</label>
<description>Attaches an giraffid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an giraffid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>GiraffidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>GiraffidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>GiraffidAnus</addsHediff>
</RecipeDef>
<!-- Giraffid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachGiraffidVagina</defName>
<label>Attach giraffid Vagina</label>
<description>Attaches a giraffid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a giraffid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>GiraffidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>GiraffidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>GiraffidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinornithid Family -->
<!-- <race>Dinornis</race> *MF* -->
<!-- Average Dinornithid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinornithidPenis</defName>
<label>Attach average dinornithid penis</label>
<description>Attaches an average dinornithid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average dinornithid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinornithidPenis</addsHediff>
</RecipeDef>
<!-- Micro Dinornithid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroDinornithidPenis</defName>
<label>Attach mirco dinornithid penis</label>
<description>Attaches an micro dinornithid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro dinornithid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Small Dinornithid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallDinornithidPenis</defName>
<label>Attach small dinornithid penis</label>
<description>Attaches an small dinornithid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small dinornithid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Big Dinornithid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigDinornithidPenis</defName>
<label>Attach big dinornithid penis</label>
<description>Attaches an big dinornithid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big dinornithid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Huge Dinornithid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeDinornithidPenis</defName>
<label>Attach huge dinornithid penis</label>
<description>Attaches an huge dinornithid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge dinornithid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Dinornithid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachDinornithidAnus</defName>
<label>Attach dinornithid anus</label>
<description>Attaches an dinornithid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an dinornithid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinornithidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinornithidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinornithidAnus</addsHediff>
</RecipeDef>
<!-- Dinornithid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinornithidVagina</defName>
<label>Attach dinornithid Vagina</label>
<description>Attaches a dinornithid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a dinornithid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinornithidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinornithidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinornithidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macraucheniid Family -->
<!-- <race>Macrauchenia</race> *MF* -->
<!-- Average Macraucheniid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMacraucheniidPenis</defName>
<label>Attach average macraucheniid penis</label>
<description>Attaches an average macraucheniid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average macraucheniid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Micro Macraucheniid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroMacraucheniidPenis</defName>
<label>Attach mirco macraucheniid penis</label>
<description>Attaches an micro macraucheniid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro macraucheniid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Small Macraucheniid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallMacraucheniidPenis</defName>
<label>Attach small macraucheniid penis</label>
<description>Attaches an small macraucheniid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small macraucheniid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Big Macraucheniid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigMacraucheniidPenis</defName>
<label>Attach big macraucheniid penis</label>
<description>Attaches an big macraucheniid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big macraucheniid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Huge Macraucheniid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeMacraucheniidPenis</defName>
<label>Attach huge macraucheniid penis</label>
<description>Attaches an huge macraucheniid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge macraucheniid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Macraucheniid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachMacraucheniidAnus</defName>
<label>Attach macraucheniid anus</label>
<description>Attaches an macraucheniid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an macraucheniid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacraucheniidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacraucheniidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacraucheniidAnus</addsHediff>
</RecipeDef>
<!-- Macraucheniid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMacraucheniidVagina</defName>
<label>Attach macraucheniid Vagina</label>
<description>Attaches a macraucheniid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a macraucheniid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacraucheniidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacraucheniidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacraucheniidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Crocodylid Family -->
<!-- <race>Quinkana</race> *MF* -->
<!-- <race>Purussaurus</race> *MF* -->
<!-- Average Crocodylid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCrocodylidPenis</defName>
<label>Attach average crocodylid penis</label>
<description>Attaches an average crocodylid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average crocodylid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Micro Crocodylid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroCrocodylidPenis</defName>
<label>Attach mirco crocodylid penis</label>
<description>Attaches an micro crocodylid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro crocodylid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Small Crocodylid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallCrocodylidPenis</defName>
<label>Attach small crocodylid penis</label>
<description>Attaches an small crocodylid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small crocodylid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Big Crocodylid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigCrocodylidPenis</defName>
<label>Attach big crocodylid penis</label>
<description>Attaches an big crocodylid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big crocodylid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Huge Crocodylid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeCrocodylidPenis</defName>
<label>Attach huge crocodylid penis</label>
<description>Attaches an huge crocodylid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge crocodylid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Crocodylid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachCrocodylidAnus</defName>
<label>Attach crocodylid anus</label>
<description>Attaches an crocodylid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an crocodylid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CrocodylidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CrocodylidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CrocodylidAnus</addsHediff>
</RecipeDef>
<!-- Crocodylid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCrocodylidVagina</defName>
<label>Attach crocodylid Vagina</label>
<description>Attaches a crocodylid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a crocodylid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CrocodylidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CrocodylidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CrocodylidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Deinotheriid Family -->
<!-- <race>Deinotherium</race> *MF* -->
<!-- Average Deinotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDeinotheriidPenis</defName>
<label>Attach average deinotheriid penis</label>
<description>Attaches an average deinotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average deinotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Deinotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroDeinotheriidPenis</defName>
<label>Attach mirco deinotheriid penis</label>
<description>Attaches an micro deinotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro deinotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Deinotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallDeinotheriidPenis</defName>
<label>Attach small deinotheriid penis</label>
<description>Attaches an small deinotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small deinotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Deinotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigDeinotheriidPenis</defName>
<label>Attach big deinotheriid penis</label>
<description>Attaches an big deinotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big deinotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Deinotheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeDeinotheriidPenis</defName>
<label>Attach huge deinotheriid penis</label>
<description>Attaches an huge deinotheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge deinotheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Deinotheriid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachDeinotheriidAnus</defName>
<label>Attach deinotheriid anus</label>
<description>Attaches an deinotheriid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an deinotheriid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DeinotheriidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DeinotheriidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DeinotheriidAnus</addsHediff>
</RecipeDef>
<!-- Deinotheriid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDeinotheriidVagina</defName>
<label>Attach deinotheriid Vagina</label>
<description>Attaches a deinotheriid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a deinotheriid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DeinotheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DeinotheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DeinotheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Bovid Family -->
<!-- <race>Aurochs</race> *MF* -->
<!-- Average Bovid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBovidPenis</defName>
<label>Attach average bovid penis</label>
<description>Attaches an average bovid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average bovid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BovidPenis</addsHediff>
</RecipeDef>
<!-- Micro Bovid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroBovidPenis</defName>
<label>Attach mirco bovid penis</label>
<description>Attaches an micro bovid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro bovid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroBovidPenis</addsHediff>
</RecipeDef>
<!-- Small Bovid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallBovidPenis</defName>
<label>Attach small bovid penis</label>
<description>Attaches an small bovid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small bovid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallBovidPenis</addsHediff>
</RecipeDef>
<!-- Big Bovid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigBovidPenis</defName>
<label>Attach big bovid penis</label>
<description>Attaches an big bovid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big bovid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigBovidPenis</addsHediff>
</RecipeDef>
<!-- Huge Bovid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeBovidPenis</defName>
<label>Attach huge bovid penis</label>
<description>Attaches an huge bovid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge bovid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeBovidPenis</addsHediff>
</RecipeDef>
<!-- Bovid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachBovidAnus</defName>
<label>Attach bovid anus</label>
<description>Attaches an bovid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an bovid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BovidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BovidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BovidAnus</addsHediff>
</RecipeDef>
<!-- Bovid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBovidVagina</defName>
<label>Attach bovid Vagina</label>
<description>Attaches a bovid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a bovid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BovidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BovidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BovidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Testudinid Family -->
<!-- <race>Megalochelys</race> *MF* -->
<!-- Average Testudinid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachTestudinidPenis</defName>
<label>Attach average testudinid penis</label>
<description>Attaches an average testudinid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average testudinid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>TestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>TestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>TestudinidPenis</addsHediff>
</RecipeDef>
<!-- Micro Testudinid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroTestudinidPenis</defName>
<label>Attach mirco testudinid penis</label>
<description>Attaches an micro testudinid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro testudinid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Small Testudinid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallTestudinidPenis</defName>
<label>Attach small testudinid penis</label>
<description>Attaches an small testudinid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small testudinid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Big Testudinid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigTestudinidPenis</defName>
<label>Attach big testudinid penis</label>
<description>Attaches an big testudinid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big testudinid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Huge Testudinid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeTestudinidPenis</defName>
<label>Attach huge testudinid penis</label>
<description>Attaches an huge testudinid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge testudinid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Testudinid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachTestudinidAnus</defName>
<label>Attach testudinid anus</label>
<description>Attaches an testudinid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an testudinid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>TestudinidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>TestudinidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>TestudinidAnus</addsHediff>
</RecipeDef>
<!-- Testudinid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachTestudinidVagina</defName>
<label>Attach testudinid Vagina</label>
<description>Attaches a testudinid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a testudinid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>TestudinidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>TestudinidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>TestudinidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinomyid Family -->
<!-- <race>Josephoartigasia</race> *MF* -->
<!-- Average Dinomyid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinomyidPenis</defName>
<label>Attach average dinomyid penis</label>
<description>Attaches an average dinomyid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average dinomyid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinomyidPenis</addsHediff>
</RecipeDef>
<!-- Micro Dinomyid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroDinomyidPenis</defName>
<label>Attach mirco dinomyid penis</label>
<description>Attaches an micro dinomyid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro dinomyid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Small Dinomyid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallDinomyidPenis</defName>
<label>Attach small dinomyid penis</label>
<description>Attaches an small dinomyid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small dinomyid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Big Dinomyid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigDinomyidPenis</defName>
<label>Attach big dinomyid penis</label>
<description>Attaches an big dinomyid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big dinomyid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Huge Dinomyid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeDinomyidPenis</defName>
<label>Attach huge dinomyid penis</label>
<description>Attaches an huge dinomyid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge dinomyid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Dinomyid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachDinomyidAnus</defName>
<label>Attach dinomyid anus</label>
<description>Attaches an dinomyid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an dinomyid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinomyidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinomyidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinomyidAnus</addsHediff>
</RecipeDef>
<!-- Dinomyid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachDinomyidVagina</defName>
<label>Attach dinomyid Vagina</label>
<description>Attaches a dinomyid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a dinomyid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinomyidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinomyidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinomyidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Madtsoiid Family -->
<!-- <race>Gigantophis</race> *MF* -->
<!-- Average Madtsoiid Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMadtsoiidPenises</defName>
<label>Attach average madtsoiid penises</label>
<description>Attaches average madtsoiid penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average madtsoiid penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Micro Madtsoiid Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroMadtsoiidPenises</defName>
<label>Attach mirco madtsoiid penises</label>
<description>Attaches micro madtsoiid penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro madtsoiid penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Small Madtsoiid Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallMadtsoiidPenises</defName>
<label>Attach small madtsoiid penises</label>
<description>Attaches small madtsoiid penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small madtsoiid penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Big Madtsoiid Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigMadtsoiidPenises</defName>
<label>Attach big madtsoiid penises</label>
<description>Attaches big madtsoiid penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big madtsoiid penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Huge Madtsoiid Penises -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeMadtsoiidPenises</defName>
<label>Attach huge madtsoiid penises</label>
<description>Attaches huge madtsoiid penises.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge madtsoiid penises.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Madtsoiid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachMadtsoiidAnus</defName>
<label>Attach madtsoiid anus</label>
<description>Attaches an madtsoiid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an madtsoiid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MadtsoiidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MadtsoiidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MadtsoiidAnus</addsHediff>
</RecipeDef>
<!-- Madtsoiid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMadtsoiidVagina</defName>
<label>Attach madtsoiid Vagina</label>
<description>Attaches a madtsoiid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a madtsoiid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MadtsoiidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MadtsoiidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MadtsoiidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Amebelodontid Family -->
<!-- <race>Platybelodon</race> *MF* -->
<!-- Average Amebelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachAmebelodontidPenis</defName>
<label>Attach average amebelodontid penis</label>
<description>Attaches an average amebelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average amebelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>AmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>AmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>AmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Amebelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroAmebelodontidPenis</defName>
<label>Attach mirco amebelodontid penis</label>
<description>Attaches an micro amebelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro amebelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Amebelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallAmebelodontidPenis</defName>
<label>Attach small amebelodontid penis</label>
<description>Attaches an small amebelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small amebelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Amebelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigAmebelodontidPenis</defName>
<label>Attach big amebelodontid penis</label>
<description>Attaches an big amebelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big amebelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Amebelodontid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeAmebelodontidPenis</defName>
<label>Attach huge amebelodontid penis</label>
<description>Attaches an huge amebelodontid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge amebelodontid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Amebelodontid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachAmebelodontidAnus</defName>
<label>Attach amebelodontid anus</label>
<description>Attaches an amebelodontid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an amebelodontid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>AmebelodontidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>AmebelodontidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>AmebelodontidAnus</addsHediff>
</RecipeDef>
<!-- Amebelodontid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachAmebelodontidVagina</defName>
<label>Attach amebelodontid Vagina</label>
<description>Attaches a amebelodontid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a amebelodontid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>AmebelodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>AmebelodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>AmebelodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Uintatheriid Family -->
<!-- <race>Uintatherium</race> *MF* -->
<!-- Average Uintatheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachUintatheriidPenis</defName>
<label>Attach average uintatheriid penis</label>
<description>Attaches an average uintatheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average uintatheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Uintatheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroUintatheriidPenis</defName>
<label>Attach mirco uintatheriid penis</label>
<description>Attaches an micro uintatheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro uintatheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Uintatheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallUintatheriidPenis</defName>
<label>Attach small uintatheriid penis</label>
<description>Attaches an small uintatheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small uintatheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Uintatheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigUintatheriidPenis</defName>
<label>Attach big uintatheriid penis</label>
<description>Attaches an big uintatheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big uintatheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Uintatheriid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeUintatheriidPenis</defName>
<label>Attach huge uintatheriid penis</label>
<description>Attaches an huge uintatheriid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge uintatheriid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Uintatheriid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachUintatheriidAnus</defName>
<label>Attach uintatheriid anus</label>
<description>Attaches an uintatheriid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an uintatheriid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UintatheriidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UintatheriidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UintatheriidAnus</addsHediff>
</RecipeDef>
<!-- Uintatheriid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachUintatheriidVagina</defName>
<label>Attach uintatheriid Vagina</label>
<description>Attaches a uintatheriid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a uintatheriid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UintatheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UintatheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UintatheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Cercopithecid Family -->
<!-- <race>Dinopithecus</race> *MF* -->
<!-- Average Cercopithecid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCercopithecidPenis</defName>
<label>Attach average cercopithecid penis</label>
<description>Attaches an average cercopithecid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average cercopithecid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Micro Cercopithecid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroCercopithecidPenis</defName>
<label>Attach mirco cercopithecid penis</label>
<description>Attaches an micro cercopithecid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro cercopithecid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Small Cercopithecid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallCercopithecidPenis</defName>
<label>Attach small cercopithecid penis</label>
<description>Attaches an small cercopithecid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small cercopithecid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Big Cercopithecid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigCercopithecidPenis</defName>
<label>Attach big cercopithecid penis</label>
<description>Attaches an big cercopithecid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big cercopithecid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Huge Cercopithecid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeCercopithecidPenis</defName>
<label>Attach huge cercopithecid penis</label>
<description>Attaches an huge cercopithecid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge cercopithecid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Cercopithecid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachCercopithecidAnus</defName>
<label>Attach cercopithecid anus</label>
<description>Attaches an cercopithecid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an cercopithecid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CercopithecidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CercopithecidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CercopithecidAnus</addsHediff>
</RecipeDef>
<!-- Cercopithecid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCercopithecidVagina</defName>
<label>Attach cercopithecid Vagina</label>
<description>Attaches a cercopithecid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a cercopithecid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CercopithecidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CercopithecidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CercopithecidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Castorid Family -->
<!-- <race>Castoroides</race> *MF* -->
<!-- Average Castorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCastoridPenis</defName>
<label>Attach average castorid penis</label>
<description>Attaches an average castorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average castorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CastoridPenis</addsHediff>
</RecipeDef>
<!-- Micro Castorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroCastoridPenis</defName>
<label>Attach mirco castorid penis</label>
<description>Attaches an micro castorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro castorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCastoridPenis</addsHediff>
</RecipeDef>
<!-- Small Castorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallCastoridPenis</defName>
<label>Attach small castorid penis</label>
<description>Attaches an small castorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small castorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCastoridPenis</addsHediff>
</RecipeDef>
<!-- Big Castorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigCastoridPenis</defName>
<label>Attach big castorid penis</label>
<description>Attaches an big castorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big castorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCastoridPenis</addsHediff>
</RecipeDef>
<!-- Huge Castorid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeCastoridPenis</defName>
<label>Attach huge castorid penis</label>
<description>Attaches an huge castorid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge castorid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCastoridPenis</addsHediff>
</RecipeDef>
<!-- Castorid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachCastoridAnus</defName>
<label>Attach castorid anus</label>
<description>Attaches an castorid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an castorid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CastoridAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CastoridAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CastoridAnus</addsHediff>
</RecipeDef>
<!-- Castorid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachCastoridVagina</defName>
<label>Attach castorid Vagina</label>
<description>Attaches a castorid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a castorid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CastoridVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CastoridVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CastoridVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Mustelid Family -->
<!-- <race>Enhydriodon</race> *MF* -->
<!-- Average Mustelid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMustelidPenis</defName>
<label>Attach average mustelid penis</label>
<description>Attaches an average mustelid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching average mustelid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MustelidPenis</addsHediff>
</RecipeDef>
<!-- Micro Mustelid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMicroMustelidPenis</defName>
<label>Attach mirco mustelid penis</label>
<description>Attaches an micro mustelid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching micro mustelid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMustelidPenis</addsHediff>
</RecipeDef>
<!-- Small Mustelid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachSmallMustelidPenis</defName>
<label>Attach small mustelid penis</label>
<description>Attaches an small mustelid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching small mustelid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMustelidPenis</addsHediff>
</RecipeDef>
<!-- Big Mustelid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachBigMustelidPenis</defName>
<label>Attach big mustelid penis</label>
<description>Attaches an big mustelid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching big mustelid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMustelidPenis</addsHediff>
</RecipeDef>
<!-- Huge Mustelid Penis -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachHugeMustelidPenis</defName>
<label>Attach huge mustelid penis</label>
<description>Attaches an huge mustelid penis.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching huge mustelid penis.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMustelidPenis</addsHediff>
</RecipeDef>
<!-- Mustelid Anus -->
<RecipeDef ParentName="AnalSurgery">
<defName>AttachMustelidAnus</defName>
<label>Attach mustelid anus</label>
<description>Attaches an mustelid anus</description>
<workerClass>rjw.Recipe_InstallAnus</workerClass>
<jobString>Attaching an mustelid anus.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MustelidAnus</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MustelidAnus</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MustelidAnus</addsHediff>
</RecipeDef>
<!-- Mustelid Vagina -->
<RecipeDef ParentName="SexReassignment">
<defName>AttachMustelidVagina</defName>
<label>Attach mustelid Vagina</label>
<description>Attaches a mustelid vagina.</description>
<workerClass>rjw.Recipe_InstallGenitals</workerClass>
<jobString>Attaching a mustelid vagina.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MustelidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MustelidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MustelidVagina</addsHediff>
</RecipeDef>
<!-- Nephila -->
<RecipeDef ParentName="BreastSurgery">
<defName>AttachNephilaBreasts</defName>
<label>attach stupidly enormous slime breasts</label>
<description>Attaches a pair of stupidly enormous slime breasts.</description>
<workerClass>rjw.Recipe_InstallBreasts</workerClass>
<jobString>Attaching a pair of stupidly enormous slime breasts.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SlimeGlob</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SlimeGlob</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>NephilaBreasts</addsHediff>
</RecipeDef>
<RecipeDef ParentName="BreastSurgery">
<defName>AttachNephilaSlimeBreasts</defName>
<label>attach rows of leaking slime breasts</label>
<description>Attaches a rows of leaking slime breasts.</description>
<workerClass>rjw.Recipe_InstallBreasts</workerClass>
<jobString>Attaching rows of leaking slime breasts.</jobString>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>8</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SlimeGlob</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SlimeGlob</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>NephilaSlimeBreasts</addsHediff>
</RecipeDef>
</Defs>
|
Simiol/rjw
|
Defs/RecipeDefs/Recipes_Surgery.xml
|
XML
|
unknown
| 204,249 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Orc -->
<RecipeDef ParentName="FutaMakingF">
<defName>OrcPenis_Ab</defName>
<label>add orc penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcPenis_Ab</addsHediff>
</RecipeDef>
<!-- Elf -->
<RecipeDef ParentName="FutaMakingF">
<defName>ElfPenis_Ab</defName>
<label>add elf penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ElfPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ElfPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ElfPenis_Ab</addsHediff>
</RecipeDef>
<!-- Dino -->
<RecipeDef ParentName="FutaMakingF">
<defName>DinoPenis_Ab</defName>
<label>add dino penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinoPenis_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinoPenis_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinoPenis_Ab</addsHediff>
</RecipeDef>
<!-- **Zimtraucher Edit** -->
<!-- =========================================================================== -->
<!-- Chlamyphorid Family -->
<!-- <race>Doedicurus</race> *MF* -->
<!-- Average Chlamyphorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddChlamyphoridPenis</defName>
<label>add chlamyphorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Micro Chlamyphorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroChlamyphoridPenis</defName>
<label>add micro chlamyphorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Small Chlamyphorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallChlamyphoridPenis</defName>
<label>add small chlamyphorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Big Chlamyphorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigChlamyphoridPenis</defName>
<label>add big chlamyphorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- Huge Chlamyphorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeChlamyphoridPenis</defName>
<label>add huge chlamyphorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeChlamyphoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeChlamyphoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeChlamyphoridPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Entelodontid Family -->
<!-- <race>Daeodon</race> *MF* -->
<!-- <race>Andrewsarchus</race> *MF* -->
<!-- Average Entelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddEntelodontidPenis</defName>
<label>add entelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>EntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>EntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>EntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Entelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroEntelodontidPenis</defName>
<label>add micro entelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Entelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallEntelodontidPenis</defName>
<label>add small entelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Entelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigEntelodontidPenis</defName>
<label>add big entelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Entelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeEntelodontidPenis</defName>
<label>add huge entelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeEntelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeEntelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeEntelodontidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Hominid Family -->
<!-- <race>Gigantopithecus</race> *MF* -->
<!-- Average Hominid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHominidPenis</defName>
<label>add hominid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HominidPenis</addsHediff>
</RecipeDef>
<!-- Micro Hominid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroHominidPenis</defName>
<label>add micro hominid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroHominidPenis</addsHediff>
</RecipeDef>
<!-- Small Hominid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallHominidPenis</defName>
<label>add small hominid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallHominidPenis</addsHediff>
</RecipeDef>
<!-- Big Hominid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigHominidPenis</defName>
<label>add big hominid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigHominidPenis</addsHediff>
</RecipeDef>
<!-- Huge Hominid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeHominidPenis</defName>
<label>add huge hominid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeHominidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeHominidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeHominidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Phorusrhacid Family -->
<!-- <race>Titanis</race> *MF* -->
<!-- Average Phorusrhacid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddPhorusrhacidPenis</defName>
<label>add phorusrhacid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Micro Phorusrhacid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroPhorusrhacidPenis</defName>
<label>add micro phorusrhacid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Small Phorusrhacid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallPhorusrhacidPenis</defName>
<label>add small phorusrhacid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Big Phorusrhacid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigPhorusrhacidPenis</defName>
<label>add big phorusrhacid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigPhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigPhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigPhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- Huge Phorusrhacid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugePhorusrhacidPenis</defName>
<label>add huge phorusrhacid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugePhorusrhacidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugePhorusrhacidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugePhorusrhacidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Boa Family -->
<!-- <race>Titanoboa</race> *MF* -->
<!-- Average Boa Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBoaPenises</defName>
<label>add boa penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BoaPenises</addsHediff>
</RecipeDef>
<!-- Micro Boa Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroBoaPenises</defName>
<label>add micro boa penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroBoaPenises</addsHediff>
</RecipeDef>
<!-- Small Boa Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallBoaPenises</defName>
<label>add small boa penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallBoaPenises</addsHediff>
</RecipeDef>
<!-- Big Boa Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigBoaPenises</defName>
<label>add big boa penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigBoaPenises</addsHediff>
</RecipeDef>
<!-- Huge Boa Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeBoaPenises</defName>
<label>add huge boa penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeBoaPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeBoaPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeBoaPenises</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Rhinocerotid Family -->
<!-- <race>Elasmotherium</race> *MF* -->
<!-- Average Rhinocerotid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddRhinocerotidPenis</defName>
<label>add rhinocerotid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>RhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>RhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>RhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Micro Rhinocerotid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroRhinocerotidPenis</defName>
<label>add micro rhinocerotid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Small Rhinocerotid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallRhinocerotidPenis</defName>
<label>add small rhinocerotid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Big Rhinocerotid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigRhinocerotidPenis</defName>
<label>add big rhinocerotid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- Huge Rhinocerotid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeRhinocerotidPenis</defName>
<label>add huge rhinocerotid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeRhinocerotidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeRhinocerotidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeRhinocerotidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Felid Family -->
<!-- <race>Smilodon</race> *MF* -->
<!-- Average Felid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddFelidPenis</defName>
<label>add felid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>FelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>FelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>FelidPenis</addsHediff>
</RecipeDef>
<!-- Micro Felid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroFelidPenis</defName>
<label>add micro felid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroFelidPenis</addsHediff>
</RecipeDef>
<!-- Small Felid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallFelidPenis</defName>
<label>add small felid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallFelidPenis</addsHediff>
</RecipeDef>
<!-- Big Felid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigFelidPenis</defName>
<label>add big felid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigFelidPenis</addsHediff>
</RecipeDef>
<!-- Huge Felid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeFelidPenis</defName>
<label>add huge felid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeFelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeFelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeFelidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Chalicotheriid Family -->
<!-- <race>Chalicotherium</race> *MF* -->
<!-- Average Chalicotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddChalicotheriidPenis</defName>
<label>add chalicotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Chalicotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroChalicotheriidPenis</defName>
<label>add micro chalicotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Chalicotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallChalicotheriidPenis</defName>
<label>add small chalicotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Chalicotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigChalicotheriidPenis</defName>
<label>add big chalicotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Chalicotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeChalicotheriidPenis</defName>
<label>add huge chalicotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeChalicotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeChalicotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeChalicotheriidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macropodid Family -->
<!-- <race>Procoptodon</race> *MF* -->
<!-- Average Macropodid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMacropodidPenis</defName>
<label>add macropodid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacropodidPenis</addsHediff>
</RecipeDef>
<!-- Micro Macropodid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroMacropodidPenis</defName>
<label>add micro macropodid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Small Macropodid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallMacropodidPenis</defName>
<label>add small macropodid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Big Macropodid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigMacropodidPenis</defName>
<label>add big macropodid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMacropodidPenis</addsHediff>
</RecipeDef>
<!-- Huge Macropodid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeMacropodidPenis</defName>
<label>add huge macropodid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMacropodidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMacropodidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMacropodidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Varanid Family -->
<!-- <race>Megalania</race> *MF* -->
<!-- Average Varanid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddVaranidPenis</defName>
<label>add varanid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>VaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>VaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>VaranidPenis</addsHediff>
</RecipeDef>
<!-- Micro Varanid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroVaranidPenis</defName>
<label>add micro varanid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroVaranidPenis</addsHediff>
</RecipeDef>
<!-- Small Varanid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallVaranidPenis</defName>
<label>add small varanid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallVaranidPenis</addsHediff>
</RecipeDef>
<!-- Big Varanid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigVaranidPenis</defName>
<label>add big varanid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigVaranidPenis</addsHediff>
</RecipeDef>
<!-- Huge Varanid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeVaranidPenis</defName>
<label>add huge varanid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeVaranidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeVaranidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeVaranidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Odobenid Family -->
<!-- <race>Gomphotaria</race> *MF* -->
<!-- Average Odobenid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddOdobenidPenis</defName>
<label>add odobenid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OdobenidPenis</addsHediff>
</RecipeDef>
<!-- Micro Odobenid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroOdobenidPenis</defName>
<label>add micro odobenid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Small Odobenid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallOdobenidPenis</defName>
<label>add small odobenid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Big Odobenid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigOdobenidPenis</defName>
<label>add big odobenid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigOdobenidPenis</addsHediff>
</RecipeDef>
<!-- Huge Odobenid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeOdobenidPenis</defName>
<label>add huge odobenid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeOdobenidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeOdobenidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeOdobenidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Diprotodontid Family -->
<!-- <race>Diprotodon</race> *MF* -->
<!-- Average Diprotodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddDiprotodontidPenis</defName>
<label>add diprotodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Diprotodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroDiprotodontidPenis</defName>
<label>add micro diprotodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Diprotodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallDiprotodontidPenis</defName>
<label>add small diprotodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Diprotodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigDiprotodontidPenis</defName>
<label>add big diprotodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Diprotodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeDiprotodontidPenis</defName>
<label>add huge diprotodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDiprotodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDiprotodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDiprotodontidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Ursid Family -->
<!-- <race>ShortfacedBear</race> *MF* -->
<!-- Average Ursid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddUrsidPenis</defName>
<label>add ursid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UrsidPenis</addsHediff>
</RecipeDef>
<!-- Micro Ursid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroUrsidPenis</defName>
<label>add micro ursid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroUrsidPenis</addsHediff>
</RecipeDef>
<!-- Small Ursid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallUrsidPenis</defName>
<label>add small ursid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallUrsidPenis</addsHediff>
</RecipeDef>
<!-- Big Ursid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigUrsidPenis</defName>
<label>add big ursid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigUrsidPenis</addsHediff>
</RecipeDef>
<!-- Huge Ursid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeUrsidPenis</defName>
<label>add huge ursid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeUrsidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeUrsidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeUrsidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Percrocutid Family -->
<!-- <race>Dinocrocuta</race> *MF* -->
<!-- Average Percrocutid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddPercrocutidPenis</defName>
<label>add percrocutid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Micro Percrocutid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroPercrocutidPenis</defName>
<label>add micro percrocutid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Small Percrocutid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallPercrocutidPenis</defName>
<label>add small percrocutid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Big Percrocutid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigPercrocutidPenis</defName>
<label>add big percrocutid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigPercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigPercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigPercrocutidPenis</addsHediff>
</RecipeDef>
<!-- Huge Percrocutid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugePercrocutidPenis</defName>
<label>add huge percrocutid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugePercrocutidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugePercrocutidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugePercrocutidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Giraffid Family -->
<!-- <race>Sivatherium</race> *MF* -->
<!-- Average Giraffid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddGiraffidPenis</defName>
<label>add giraffid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>GiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>GiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>GiraffidPenis</addsHediff>
</RecipeDef>
<!-- Micro Giraffid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroGiraffidPenis</defName>
<label>add micro giraffid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Small Giraffid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallGiraffidPenis</defName>
<label>add small giraffid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Big Giraffid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigGiraffidPenis</defName>
<label>add big giraffid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigGiraffidPenis</addsHediff>
</RecipeDef>
<!-- Huge Giraffid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeGiraffidPenis</defName>
<label>add huge giraffid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeGiraffidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeGiraffidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeGiraffidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinornithid Family -->
<!-- <race>Dinornis</race> *MF* -->
<!-- Average Dinornithid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddDinornithidPenis</defName>
<label>add dinornithid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinornithidPenis</addsHediff>
</RecipeDef>
<!-- Micro Dinornithid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroDinornithidPenis</defName>
<label>add micro dinornithid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Small Dinornithid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallDinornithidPenis</defName>
<label>add small dinornithid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Big Dinornithid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigDinornithidPenis</defName>
<label>add big dinornithid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDinornithidPenis</addsHediff>
</RecipeDef>
<!-- Huge Dinornithid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeDinornithidPenis</defName>
<label>add huge dinornithid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDinornithidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDinornithidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDinornithidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macraucheniid Family -->
<!-- <race>Macrauchenia</race> *MF* -->
<!-- Average Macraucheniid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMacraucheniidPenis</defName>
<label>add macraucheniid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Micro Macraucheniid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroMacraucheniidPenis</defName>
<label>add micro macraucheniid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Small Macraucheniid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallMacraucheniidPenis</defName>
<label>add small macraucheniid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Big Macraucheniid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigMacraucheniidPenis</defName>
<label>add big macraucheniid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- Huge Macraucheniid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeMacraucheniidPenis</defName>
<label>add huge macraucheniid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMacraucheniidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMacraucheniidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMacraucheniidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Crocodylid Family -->
<!-- <race>Quinkana</race> *MF* -->
<!-- <race>Purussaurus</race> *MF* -->
<!-- Average Crocodylid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddCrocodylidPenis</defName>
<label>add crocodylid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Micro Crocodylid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroCrocodylidPenis</defName>
<label>add micro crocodylid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Small Crocodylid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallCrocodylidPenis</defName>
<label>add small crocodylid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Big Crocodylid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigCrocodylidPenis</defName>
<label>add big crocodylid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- Huge Crocodylid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeCrocodylidPenis</defName>
<label>add huge crocodylid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCrocodylidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCrocodylidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCrocodylidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Deinotheriid Family -->
<!-- <race>Deinotherium</race> *MF* -->
<!-- Average Deinotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddDeinotheriidPenis</defName>
<label>add deinotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Deinotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroDeinotheriidPenis</defName>
<label>add micro deinotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Deinotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallDeinotheriidPenis</defName>
<label>add small deinotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Deinotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigDeinotheriidPenis</defName>
<label>add big deinotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Deinotheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeDeinotheriidPenis</defName>
<label>add huge deinotheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDeinotheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDeinotheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDeinotheriidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Bovid Family -->
<!-- <race>Aurochs</race> *MF* -->
<!-- Average Bovid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBovidPenis</defName>
<label>add bovid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BovidPenis</addsHediff>
</RecipeDef>
<!-- Micro Bovid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroBovidPenis</defName>
<label>add micro bovid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroBovidPenis</addsHediff>
</RecipeDef>
<!-- Small Bovid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallBovidPenis</defName>
<label>add small bovid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallBovidPenis</addsHediff>
</RecipeDef>
<!-- Big Bovid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigBovidPenis</defName>
<label>add big bovid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigBovidPenis</addsHediff>
</RecipeDef>
<!-- Huge Bovid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeBovidPenis</defName>
<label>add huge bovid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeBovidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeBovidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeBovidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Testudinid Family -->
<!-- <race>Megalochelys</race> *MF* -->
<!-- Average Testudinid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddTestudinidPenis</defName>
<label>add testudinid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>TestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>TestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>TestudinidPenis</addsHediff>
</RecipeDef>
<!-- Micro Testudinid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroTestudinidPenis</defName>
<label>add micro testudinid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Small Testudinid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallTestudinidPenis</defName>
<label>add small testudinid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Big Testudinid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigTestudinidPenis</defName>
<label>add big testudinid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigTestudinidPenis</addsHediff>
</RecipeDef>
<!-- Huge Testudinid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeTestudinidPenis</defName>
<label>add huge testudinid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeTestudinidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeTestudinidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeTestudinidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinomyid Family -->
<!-- <race>Josephoartigasia</race> *MF* -->
<!-- Average Dinomyid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddDinomyidPenis</defName>
<label>add dinomyid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinomyidPenis</addsHediff>
</RecipeDef>
<!-- Micro Dinomyid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroDinomyidPenis</defName>
<label>add micro dinomyid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Small Dinomyid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallDinomyidPenis</defName>
<label>add small dinomyid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Big Dinomyid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigDinomyidPenis</defName>
<label>add big dinomyid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigDinomyidPenis</addsHediff>
</RecipeDef>
<!-- Huge Dinomyid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeDinomyidPenis</defName>
<label>add huge dinomyid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeDinomyidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeDinomyidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeDinomyidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Madtsoiid Family -->
<!-- <race>Gigantophis</race> *MF* -->
<!-- Average Madtsoiid Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMadtsoiidPenises</defName>
<label>add madtsoiid penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Micro Madtsoiid Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroMadtsoiidPenises</defName>
<label>add micro madtsoiid penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Small Madtsoiid Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallMadtsoiidPenises</defName>
<label>add small madtsoiid penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Big Madtsoiid Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigMadtsoiidPenises</defName>
<label>add big madtsoiid penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- Huge Madtsoiid Penises -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeMadtsoiidPenises</defName>
<label>add huge madtsoiid penises</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMadtsoiidPenises</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMadtsoiidPenises</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMadtsoiidPenises</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Amebelodontid Family -->
<!-- <race>Platybelodon</race> *MF* -->
<!-- Average Amebelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddAmebelodontidPenis</defName>
<label>add amebelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>AmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>AmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>AmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Micro Amebelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroAmebelodontidPenis</defName>
<label>add micro amebelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Small Amebelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallAmebelodontidPenis</defName>
<label>add small amebelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Big Amebelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigAmebelodontidPenis</defName>
<label>add big amebelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- Huge Amebelodontid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeAmebelodontidPenis</defName>
<label>add huge amebelodontid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeAmebelodontidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeAmebelodontidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeAmebelodontidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Uintatheriid Family -->
<!-- <race>Uintatherium</race> *MF* -->
<!-- Average Uintatheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddUintatheriidPenis</defName>
<label>add uintatheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Micro Uintatheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroUintatheriidPenis</defName>
<label>add micro uintatheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Small Uintatheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallUintatheriidPenis</defName>
<label>add small uintatheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Big Uintatheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigUintatheriidPenis</defName>
<label>add big uintatheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- Huge Uintatheriid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeUintatheriidPenis</defName>
<label>add huge uintatheriid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeUintatheriidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeUintatheriidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeUintatheriidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Cercopithecid Family -->
<!-- <race>Dinopithecus</race> *MF* -->
<!-- Average Cercopithecid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddCercopithecidPenis</defName>
<label>add cercopithecid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Micro Cercopithecid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroCercopithecidPenis</defName>
<label>add micro cercopithecid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Small Cercopithecid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallCercopithecidPenis</defName>
<label>add small cercopithecid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Big Cercopithecid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigCercopithecidPenis</defName>
<label>add big cercopithecid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- Huge Cercopithecid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeCercopithecidPenis</defName>
<label>add huge cercopithecid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCercopithecidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCercopithecidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCercopithecidPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Castorid Family -->
<!-- <race>Castoroides</race> *MF* -->
<!-- Average Castorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddCastoridPenis</defName>
<label>add castorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CastoridPenis</addsHediff>
</RecipeDef>
<!-- Micro Castorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroCastoridPenis</defName>
<label>add micro castorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroCastoridPenis</addsHediff>
</RecipeDef>
<!-- Small Castorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallCastoridPenis</defName>
<label>add small castorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallCastoridPenis</addsHediff>
</RecipeDef>
<!-- Big Castorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigCastoridPenis</defName>
<label>add big castorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigCastoridPenis</addsHediff>
</RecipeDef>
<!-- Huge Castorid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeCastoridPenis</defName>
<label>add huge castorid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeCastoridPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeCastoridPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeCastoridPenis</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Mustelid Family -->
<!-- <race>Enhydriodon</race> *MF* -->
<!-- Average Mustelid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMustelidPenis</defName>
<label>add mustelid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MustelidPenis</addsHediff>
</RecipeDef>
<!-- Micro Mustelid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddMicroMustelidPenis</defName>
<label>add micro mustelid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MicroMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MicroMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MicroMustelidPenis</addsHediff>
</RecipeDef>
<!-- Small Mustelid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddSmallMustelidPenis</defName>
<label>add small mustelid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>SmallMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>SmallMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>SmallMustelidPenis</addsHediff>
</RecipeDef>
<!-- Big Mustelid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddBigMustelidPenis</defName>
<label>add big mustelid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BigMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BigMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BigMustelidPenis</addsHediff>
</RecipeDef>
<!-- Huge Mustelid Penis -->
<RecipeDef ParentName="FutaMakingF">
<defName>AddHugeMustelidPenis</defName>
<label>add huge mustelid penis</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HugeMustelidPenis</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HugeMustelidPenis</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HugeMustelidPenis</addsHediff>
</RecipeDef>
</Defs>
|
Simiol/rjw
|
Defs/RecipeDefs/Recipes_Surgery_Futa_Female.xml
|
XML
|
unknown
| 122,063 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Orc -->
<RecipeDef ParentName="FutaMakingM">
<defName>OrcVagina_Ab</defName>
<label>add orc vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OrcVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OrcVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OrcVagina_Ab</addsHediff>
</RecipeDef>
<!-- Elf -->
<RecipeDef ParentName="FutaMakingM">
<defName>ElfVagina_Ab</defName>
<label>add elf vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ElfVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ElfVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ElfVagina_Ab</addsHediff>
</RecipeDef>
<!-- Dino -->
<RecipeDef ParentName="FutaMakingM">
<defName>DinoVagina_Ab</defName>
<label>add dino vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinoVagina_Ab</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinoVagina_Ab</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinoVagina_Ab</addsHediff>
</RecipeDef>
<!-- **Zimtraucher Edit** -->
<!-- Chlamyphorid Family -->
<!-- <race>Doedicurus</race> *MF* -->
<!-- Chlamyphorid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddChlamyphoridVagina</defName>
<label>add chlamyphorid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChlamyphoridVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChlamyphoridVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChlamyphoridVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Entelodontid Family -->
<!-- <race>Daeodon</race> *MF* -->
<!-- <race>Andrewsarchus</race> *MF* -->
<!-- Entelodontid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddEntelodontidVagina</defName>
<label>add entelodontid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>EntelodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>EntelodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>EntelodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Hominid Family -->
<!-- <race>Gigantopithecus</race> *MF* -->
<!-- Hominid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddHominidVagina</defName>
<label>add hominid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>HominidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>HominidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>HominidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Phorusrhacid Family -->
<!-- <race>Titanis</race> *MF* -->
<!-- Phorusrhacid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddPhorusrhacidVagina</defName>
<label>add phorusrhacid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PhorusrhacidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PhorusrhacidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PhorusrhacidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Boa Family -->
<!-- <race>Titanoboa</race> *MF* -->
<!-- Boa Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddBoaVagina</defName>
<label>add boa vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BoaVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BoaVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BoaVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Rhinocerotid Family -->
<!-- <race>Elasmotherium</race> *MF* -->
<!-- Rhinocerotid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddRhinocerotidVagina</defName>
<label>add rhinocerotid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>RhinocerotidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>RhinocerotidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>RhinocerotidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Felid Family -->
<!-- <race>Smilodon</race> *MF* -->
<!-- Felid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddFelidVagina</defName>
<label>add felid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>FelidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>FelidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>FelidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Chalicotheriid Family -->
<!-- <race>Chalicotherium</race> *MF* -->
<!-- Chalicotheriid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddChalicotheriidVagina</defName>
<label>add chalicotheriid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>ChalicotheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>ChalicotheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>ChalicotheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macropodid Family -->
<!-- <race>Procoptodon</race> *MF* -->
<!-- Macropodid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddMacropodidVagina</defName>
<label>add macropodid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacropodidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacropodidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacropodidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Varanid Family -->
<!-- <race>Megalania</race> *MF* -->
<!-- Varanid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddVaranidVagina</defName>
<label>add varanid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>VaranidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>VaranidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>VaranidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Odobenid Family -->
<!-- <race>Gomphotaria</race> *MF* -->
<!-- Odobenid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddOdobenidVagina</defName>
<label>add odobenid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>OdobenidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>OdobenidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>OdobenidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Diprotodontid Family -->
<!-- <race>Diprotodon</race> *MF* -->
<!-- Diprotodontid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddDiprotodontidVagina</defName>
<label>add diprotodontid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DiprotodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DiprotodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DiprotodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Ursid Family -->
<!-- <race>ShortfacedBear</race> *MF* -->
<!-- Ursid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddUrsidVagina</defName>
<label>add ursid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UrsidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UrsidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UrsidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Percrocutid Family -->
<!-- <race>Dinocrocuta</race> *MF* -->
<!-- Percrocutid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddPercrocutidVagina</defName>
<label>add percrocutid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>PercrocutidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>PercrocutidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>PercrocutidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Giraffid Family -->
<!-- <race>Sivatherium</race> *MF* -->
<!-- Giraffid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddGiraffidVagina</defName>
<label>add giraffid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>GiraffidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>GiraffidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>GiraffidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinornithid Family -->
<!-- <race>Dinornis</race> *MF* -->
<!-- Dinornithid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddDinornithidVagina</defName>
<label>add dinornithid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinornithidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinornithidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinornithidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Macraucheniid Family -->
<!-- <race>Macrauchenia</race> *MF* -->
<!-- Macraucheniid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddMacraucheniidVagina</defName>
<label>add macraucheniid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MacraucheniidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MacraucheniidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MacraucheniidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Crocodylid Family -->
<!-- <race>Quinkana</race> *MF* -->
<!-- <race>Purussaurus</race> *MF* -->
<!-- Crocodylid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddCrocodylidVagina</defName>
<label>add crocodylid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CrocodylidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CrocodylidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CrocodylidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Deinotheriid Family -->
<!-- <race>Deinotherium</race> *MF* -->
<!-- Deinotheriid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddDeinotheriidVagina</defName>
<label>add deinotheriid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DeinotheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DeinotheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DeinotheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Bovid Family -->
<!-- <race>Aurochs</race> *MF* -->
<!-- Bovid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddBovidVagina</defName>
<label>add bovid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>BovidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>BovidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>BovidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Testudinid Family -->
<!-- <race>Megalochelys</race> *MF* -->
<!-- Testudinid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddTestudinidVagina</defName>
<label>add testudinid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>TestudinidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>TestudinidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>TestudinidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Dinomyid Family -->
<!-- <race>Josephoartigasia</race> *MF* -->
<!-- Dinomyid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddDinomyidVagina</defName>
<label>add dinomyid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>DinomyidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>DinomyidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>DinomyidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Madtsoiid Family -->
<!-- <race>Gigantophis</race> *MF* -->
<!-- Madtsoiid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddMadtsoiidVagina</defName>
<label>add madtsoiid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MadtsoiidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MadtsoiidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MadtsoiidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Amebelodontid Family -->
<!-- <race>Platybelodon</race> *MF* -->
<!-- Amebelodontid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddAmebelodontidVagina</defName>
<label>add amebelodontid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>AmebelodontidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>AmebelodontidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>AmebelodontidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Uintatheriid Family -->
<!-- <race>Uintatherium</race> *MF* -->
<!-- Uintatheriid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddUintatheriidVagina</defName>
<label>add uintatheriid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>UintatheriidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>UintatheriidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>UintatheriidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Cercopithecid Family -->
<!-- <race>Dinopithecus</race> *MF* -->
<!-- Cercopithecid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddCercopithecidVagina</defName>
<label>add cercopithecid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CercopithecidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CercopithecidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CercopithecidVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Castorid Family -->
<!-- <race>Castoroides</race> *MF* -->
<!-- Castorid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddCastoridVagina</defName>
<label>add castorid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>CastoridVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>CastoridVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>CastoridVagina</addsHediff>
</RecipeDef>
<!-- =========================================================================== -->
<!-- Mustelid Family -->
<!-- <race>Enhydriodon</race> *MF* -->
<!-- Mustelid Vagina -->
<RecipeDef ParentName="FutaMakingM">
<defName>AddMustelidVagina</defName>
<label>add mustelid vagina</label>
<workAmount>1200</workAmount>
<skillRequirements>
<Medicine>10</Medicine>
</skillRequirements>
<ingredients>
<li>
<filter>
<categories>
<li>Medicine</li>
</categories>
</filter>
<count>1</count>
</li>
<li>
<filter>
<thingDefs>
<li>MustelidVagina</li>
</thingDefs>
</filter>
<count>1</count>
</li>
</ingredients>
<fixedIngredientFilter>
<categories>
<li>Medicine</li>
</categories>
<thingDefs>
<li>MustelidVagina</li>
</thingDefs>
</fixedIngredientFilter>
<addsHediff>MustelidVagina</addsHediff>
</RecipeDef>
</Defs>
|
Simiol/rjw
|
Defs/RecipeDefs/Recipes_Surgery_Futa_Male.xml
|
XML
|
unknown
| 29,350 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<ThingDef ParentName="ApparelMakeableBase">
<defName>RJW_BreedersCharm</defName>
<label>breeder's charm</label>
<description>This charm manages to evoke the wearer's inner sexual urges, allowing them an almost beastlike lust. Usually worn by members who are meant for expanding their numbers exponentially.</description>
<graphicData>
<texPath>Things/Item/Apparel/Charms/Breeder_Charm</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<techLevel>Neolithic</techLevel>
<costStuffCount>75</costStuffCount>
<modExtensions>
<li Class="JecsTools.ApparelExtension">
<coverage>
<li>Neck</li>
</coverage>
</li>
</modExtensions>
<stuffCategories>
<li>Fabric</li>
</stuffCategories>
<statBases>
<WorkToMake>1800</WorkToMake>
<Mass>0.8</Mass>
<EquipDelay>0.8</EquipDelay>
</statBases>
<equippedStatOffsets>
<SexFrequency>1000</SexFrequency>
</equippedStatOffsets>
<apparel>
<bodyPartGroups>
<li>Neck</li>
</bodyPartGroups>
<layers>
<li>OnSkin</li>
</layers>
<!--<wornGraphicPath>Things/Pawn/Humanlike/Apparel/CowboyHat/CowboyHat</wornGraphicPath>-->
<tags>
<li>Neolithic</li>
</tags>
<defaultOutfitTags>
<li>Worker</li>
</defaultOutfitTags>
</apparel>
<alwaysHaulable>True</alwaysHaulable>
<thingCategories>
<li>Apparel</li>
</thingCategories>
<recipeMaker>
<recipeUsers>
<li>ElectricTailoringBench</li>
<li>HandTailoringBench</li>
<li>CraftingSpot</li>
</recipeUsers>
</recipeMaker>
<tradeability>Sellable</tradeability>
<colorGenerator Class="ColorGenerator_Options">
<options>
<li>
<weight>10</weight>
<only>(0.9,0.54,0.15,1)</only>
</li>
<li>
<weight>15</weight>
<only>(0.9,0.6,0.18,1)</only>
</li>
<li>
<weight>20</weight>
<only>(0.9,0.42,0.23,1)</only>
</li>
</options>
</colorGenerator>
</ThingDef>
</Defs>
|
Simiol/rjw
|
Defs/ThingDefs/Items_Apparel/RJW_Charms.xml
|
XML
|
unknown
| 2,128 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<!-- Dino -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinoPenis_Ab</defName>
<label>dinosaur penis</label>
<description>A severed dinosaur penis. Disturbingly large and long reptillian penis</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinoVagina_Ab</defName>
<label>dinosaur vagina</label>
<description>A severed dinosaur vagina. Part ovipositor, part vagaina - cause dinos are too tall and can't sit or lay down. Or at least some of them can't</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinoAnus_Ab</defName>
<label>dinosaur anus</label>
<description>A dino's ass nothing more.</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Orc -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OrcPenis_Ab</defName>
<label>orc penis</label>
<description>A severed orc penis. Looks like a hybrid of a human penis and a horse's penis</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.40</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OrcVagina_Ab</defName>
<label>orc vagina</label>
<description>A severed orc vagina.</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OrcBreasts_Ab</defName>
<label>orc breasts</label>
<description>A severed pair of orc breasts. Large and tough.</description>
<graphicData>
<texPath>Things/Item/Parts/breast</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.40</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OrcAnus_Ab</defName>
<label>Orc anus</label>
<description>An Orc's ??? anus.</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Elf -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElfPenis_Ab</defName>
<label>elf penis</label>
<description>A severed elf penis. Glows slightly</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.40</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElfVagina_Ab</defName>
<label>elf vagina</label>
<description>A severed elf vagina. Glows slightly</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!--
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElfBreasts</defName>
<label>elf breasts</label>
<description>A severed pair of elf breasts. Perky and slightly glowing.</description>
<graphicData>
<texPath>Things/Item/Parts/breast</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.40</Mass>
</statBases>
</ThingDef>
-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElfAnus_Ab</defName>
<label>elf anus</label>
<description>An Elf's tight and stretchy anus.</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- **Zimtraucher Edit** -->
<!-- Chlamyphorid Family *ZiR*-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChlamyphoridPenis</defName>
<label>Average Chlamyphorid Penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroChlamyphoridPenis</defName>
<label>Micro Chlamyphorid Penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallChlamyphoridPenis</defName>
<label>Small Chlamyphorid Penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigChlamyphoridPenis</defName>
<label>big Chlamyphorid Penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeChlamyphoridPenis</defName>
<label>Huge Chlamyphorid Penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.2</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChlamyphoridVagina</defName>
<label>Chlamyphorid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChlamyphoridAnus</defName>
<label>Chlamyphorid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Entelodontid Family *ZiR*-->
<!-- <race>Daeodon</race> -->
<!-- <race>Andrewsarchus</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>EntelodontidPenis</defName>
<label>average entelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroEntelodontidPenis</defName>
<label>micro entelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallEntelodontidPenis</defName>
<label>small entelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigEntelodontidPenis</defName>
<label>big entelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeEntelodontidPenis</defName>
<label>huge entelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>EntelodontidVagina</defName>
<label>Entelodontid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>EntelodontidAnus</defName>
<label>Entelodontid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Hominid Family *ZiR*-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HominidPenis</defName>
<label>average hominid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroHominidPenis</defName>
<label>micro hominid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallHominidPenis</defName>
<label>small hominid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigHominidPenis</defName>
<label>big hominid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeHominidPenis</defName>
<label>huge hominid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HominidVagina</defName>
<label>Hominid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HominidAnus</defName>
<label>Hominid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Hyracodontid Family *ZiR*-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HyracodontidPenis</defName>
<label>average hyracodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroHyracodontidPenis</defName>
<label>micro hyracodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallHyracodontidPenis</defName>
<label>small hyracodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigHyracodontidPenis</defName>
<label>big hyracodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeHyracodontidPenis</defName>
<label>huge hyracodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HyracodontidVagina</defName>
<label>Hyracodontid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HyracodontidAnus</defName>
<label>Hyracodontid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Phorusrhacid Family *ZiR*-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PhorusrhacidPenis</defName>
<label>average phorusrhacid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroPhorusrhacidPenis</defName>
<label>micro phorusrhacid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallPhorusrhacidPenis</defName>
<label>small phorusrhacid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigPhorusrhacidPenis</defName>
<label>big phorusrhacid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugePhorusrhacidPenis</defName>
<label>huge phorusrhacid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PhorusrhacidVagina</defName>
<label>Phorusrhacid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PhorusrhacidAnus</defName>
<label>Phorusrhacid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Boa Family *ZiR*-->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BoaPenises</defName>
<label>average boa penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroBoaPenises</defName>
<label>micro boa penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallBoaPenises</defName>
<label>small boa penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigBoaPenises</defName>
<label>big boa penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeBoaPenises</defName>
<label>huge boa penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BoaVagina</defName>
<label>Boa vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BoaAnus</defName>
<label>Boa anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Elephantid Family *ZiR* -->
<!-- <race>WoollyMammoth</race> -->
<!-- <race>Zygolophodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElephantidPenis</defName>
<label>average elephantid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroElephantidPenis</defName>
<label>micro elephantid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallElephantidPenis</defName>
<label>small elephantid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigElephantidPenis</defName>
<label>big elephantid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeElephantidPenis</defName>
<label>huge elephantid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElephantidVagina</defName>
<label>Elephantid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ElephantidAnus</defName>
<label>Elephantid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Rhinocerotid Family *ZiR* -->
<!-- <race>Elasmotherium</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>RhinocerotidPenis</defName>
<label>average rhinocerotid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroRhinocerotidPenis</defName>
<label>micro rhinocerotid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallRhinocerotidPenis</defName>
<label>small rhinocerotid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigRhinocerotidPenis</defName>
<label>big rhinocerotid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeRhinocerotidPenis</defName>
<label>huge rhinocerotid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>RhinocerotidVagina</defName>
<label>Rhinocerotid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>RhinocerotidAnus</defName>
<label>Rhinocerotid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Felid Family *ZiR* -->
<!-- <race>Smilodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>FelidPenis</defName>
<label>average felid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroFelidPenis</defName>
<label>micro felid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallFelidPenis</defName>
<label>small felid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigFelidPenis</defName>
<label>big felid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeFelidPenis</defName>
<label>huge felid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>FelidVagina</defName>
<label>Felid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>FelidAnus</defName>
<label>Felid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Chalicotheriid Family *ZiR* -->
<!-- <race>Chalicotherium</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChalicotheriidPenis</defName>
<label>average chalicotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroChalicotheriidPenis</defName>
<label>micro chalicotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallChalicotheriidPenis</defName>
<label>small chalicotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigChalicotheriidPenis</defName>
<label>big chalicotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeChalicotheriidPenis</defName>
<label>huge chalicotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChalicotheriidVagina</defName>
<label>Chalicotheriid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>ChalicotheriidAnus</defName>
<label>Chalicotheriid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Cervid Family *ZiR* -->
<!-- <race>Megaloceros</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CervidPenis</defName>
<label>average cervid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroCervidPenis</defName>
<label>micro cervid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallCervidPenis</defName>
<label>small cervid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigCervidPenis</defName>
<label>big cervid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeCervidPenis</defName>
<label>huge cervid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CervidVagina</defName>
<label>Cervid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CervidAnus</defName>
<label>Cervid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Macropodid Family *ZiR* -->
<!-- <race>Procoptodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacropodidPenis</defName>
<label>average macropodid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroMacropodidPenis</defName>
<label>micro macropodid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallMacropodidPenis</defName>
<label>small macropodid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigMacropodidPenis</defName>
<label>big macropodid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeMacropodidPenis</defName>
<label>huge macropodid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacropodidVagina</defName>
<label>Macropodid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacropodidAnus</defName>
<label>Macropodid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Varanid Family *ZiR* -->
<!-- <race>Megalania</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>VaranidPenis</defName>
<label>average varanid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroVaranidPenis</defName>
<label>micro varanid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallVaranidPenis</defName>
<label>small varanid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigVaranidPenis</defName>
<label>big varanid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeVaranidPenis</defName>
<label>huge varanid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>VaranidVagina</defName>
<label>Varanid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>VaranidAnus</defName>
<label>Varanid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Odobenid Family *ZiR* -->
<!-- <race>Gomphotaria</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OdobenidPenis</defName>
<label>average odobenid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroOdobenidPenis</defName>
<label>micro odobenid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallOdobenidPenis</defName>
<label>small odobenid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigOdobenidPenis</defName>
<label>big odobenid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeOdobenidPenis</defName>
<label>huge odobenid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OdobenidVagina</defName>
<label>Odobenid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>OdobenidAnus</defName>
<label>Odobenid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Ursid Family *ZiR* -->
<!-- <race>ShortfacedBear</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UrsidPenis</defName>
<label>average ursid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroUrsidPenis</defName>
<label>micro ursid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallUrsidPenis</defName>
<label>small ursid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigUrsidPenis</defName>
<label>big ursid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeUrsidPenis</defName>
<label>huge ursid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UrsidVagina</defName>
<label>Ursid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UrsidAnus</defName>
<label>Ursid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Percrocutid Family *ZiR* -->
<!-- <race>Dinocrocuta</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PercrocutidPenis</defName>
<label>average percrocutid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroPercrocutidPenis</defName>
<label>micro percrocutid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallPercrocutidPenis</defName>
<label>small percrocutid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigPercrocutidPenis</defName>
<label>big percrocutid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugePercrocutidPenis</defName>
<label>huge percrocutid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PercrocutidVagina</defName>
<label>Percrocutid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>PercrocutidAnus</defName>
<label>Percrocutid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Giraffid Family *ZiR* -->
<!-- <race>Sivatherium</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>GiraffidPenis</defName>
<label>average giraffid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroGiraffidPenis</defName>
<label>micro giraffid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallGiraffidPenis</defName>
<label>small giraffid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigGiraffidPenis</defName>
<label>big giraffid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeGiraffidPenis</defName>
<label>huge giraffid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>GiraffidVagina</defName>
<label>Giraffid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>GiraffidAnus</defName>
<label>Giraffid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Dinornithid Family *ZiR* -->
<!-- <race>Dinornis</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinornithidPenis</defName>
<label>average dinornithid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroDinornithidPenis</defName>
<label>micro dinornithid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallDinornithidPenis</defName>
<label>small dinornithid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigDinornithidPenis</defName>
<label>big dinornithid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeDinornithidPenis</defName>
<label>huge dinornithid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinornithidVagina</defName>
<label>Dinornithid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinornithidAnus</defName>
<label>Dinornithid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Macraucheniid Family *ZiR* -->
<!-- <race>Macrauchenia</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacraucheniidPenis</defName>
<label>average macraucheniid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroMacraucheniidPenis</defName>
<label>micro macraucheniid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallMacraucheniidPenis</defName>
<label>small macraucheniid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigMacraucheniidPenis</defName>
<label>big macraucheniid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeMacraucheniidPenis</defName>
<label>huge macraucheniid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacraucheniidVagina</defName>
<label>Macraucheniid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MacraucheniidAnus</defName>
<label>Macraucheniid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Crocodylid Family *ZiR* -->
<!-- <race>Quinkana</race> -->
<!-- <race>Purussaurus</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CrocodylidPenis</defName>
<label>average crocodylid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroCrocodylidPenis</defName>
<label>micro crocodylid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallCrocodylidPenis</defName>
<label>small crocodylid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigCrocodylidPenis</defName>
<label>big crocodylid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeCrocodylidPenis</defName>
<label>huge crocodylid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CrocodylidVagina</defName>
<label>Crocodylid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CrocodylidAnus</defName>
<label>Crocodylid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Deinotheriid Family *ZiR* -->
<!-- <race>Deinotherium</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DeinotheriidPenis</defName>
<label>average deinotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroDeinotheriidPenis</defName>
<label>micro deinotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallDeinotheriidPenis</defName>
<label>small deinotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigDeinotheriidPenis</defName>
<label>big deinotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeDeinotheriidPenis</defName>
<label>huge deinotheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DeinotheriidVagina</defName>
<label>Deinotheriid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DeinotheriidAnus</defName>
<label>Deinotheriid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Bovid Family *ZiR* -->
<!-- <race>Aurochs</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BovidPenis</defName>
<label>average bovid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroBovidPenis</defName>
<label>micro bovid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallBovidPenis</defName>
<label>small bovid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigBovidPenis</defName>
<label>big bovid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeBovidPenis</defName>
<label>huge bovid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BovidVagina</defName>
<label>Bovid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BovidAnus</defName>
<label>Bovid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Testudinid Family *ZiR* -->
<!-- <race>Megalochelys</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>TestudinidPenis</defName>
<label>average testudinid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroTestudinidPenis</defName>
<label>micro testudinid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallTestudinidPenis</defName>
<label>small testudinid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigTestudinidPenis</defName>
<label>big testudinid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeTestudinidPenis</defName>
<label>huge testudinid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>TestudinidVagina</defName>
<label>Testudinid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>TestudinidAnus</defName>
<label>Testudinid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Spheniscid Family *ZiR* -->
<!-- <race>Palaeeudyptes</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SpheniscidCloaka</defName>
<label>spheniscid cloaka</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>100</MarketValue>
<Mass>1.1</Mass>
</statBases>
</ThingDef>
<!-- Dinomyid Family *ZiR* -->
<!-- <race>Josephoartigasia</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinomyidPenis</defName>
<label>average dinomyid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroDinomyidPenis</defName>
<label>micro dinomyid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallDinomyidPenis</defName>
<label>small dinomyid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigDinomyidPenis</defName>
<label>big dinomyid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeDinomyidPenis</defName>
<label>huge dinomyid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinomyidVagina</defName>
<label>Dinomyid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DinomyidAnus</defName>
<label>Dinomyid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Madtsoiid Family *ZiR* -->
<!-- <race>Gigantophis</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MadtsoiidPenises</defName>
<label>average madtsoiid penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroMadtsoiidPenises</defName>
<label>micro madtsoiid penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallMadtsoiidPenises</defName>
<label>small madtsoiid penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigMadtsoiidPenises</defName>
<label>big madtsoiid penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeMadtsoiidPenises</defName>
<label>huge madtsoiid penises</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MadtsoiidVagina</defName>
<label>Madtsoiid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MadtsoiidAnus</defName>
<label>Madtsoiid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Amebelodontid Family *ZiR* -->
<!-- <race>Platybelodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>AmebelodontidPenis</defName>
<label>average amebelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroAmebelodontidPenis</defName>
<label>micro amebelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallAmebelodontidPenis</defName>
<label>small amebelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigAmebelodontidPenis</defName>
<label>big amebelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeAmebelodontidPenis</defName>
<label>huge amebelodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>AmebelodontidVagina</defName>
<label>Amebelodontid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>AmebelodontidAnus</defName>
<label>Amebelodontid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Uintatheriid Family *ZiR* -->
<!-- <race>Uintatherium</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UintatheriidPenis</defName>
<label>average uintatheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroUintatheriidPenis</defName>
<label>micro uintatheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallUintatheriidPenis</defName>
<label>small uintatheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigUintatheriidPenis</defName>
<label>big uintatheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeUintatheriidPenis</defName>
<label>huge uintatheriid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UintatheriidVagina</defName>
<label>Uintatheriid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>UintatheriidAnus</defName>
<label>Uintatheriid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Cercopithecid Family *ZiR* -->
<!-- <race>Dinopithecus</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CercopithecidPenis</defName>
<label>average cercopithecid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroCercopithecidPenis</defName>
<label>micro cercopithecid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallCercopithecidPenis</defName>
<label>small cercopithecid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigCercopithecidPenis</defName>
<label>big cercopithecid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeCercopithecidPenis</defName>
<label>huge cercopithecid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CercopithecidVagina</defName>
<label>Cercopithecid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CercopithecidAnus</defName>
<label>Cercopithecid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Castorid Family *ZiR* -->
<!-- <race>Castoroides</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CastoridPenis</defName>
<label>average castorid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroCastoridPenis</defName>
<label>micro castorid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallCastoridPenis</defName>
<label>small castorid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigCastoridPenis</defName>
<label>big castorid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeCastoridPenis</defName>
<label>huge castorid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CastoridVagina</defName>
<label>Castorid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>CastoridAnus</defName>
<label>Castorid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Mustelid Family *ZiR* -->
<!-- <race>Enhydriodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MustelidPenis</defName>
<label>average mustelid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroMustelidPenis</defName>
<label>micro mustelid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallMustelidPenis</defName>
<label>small mustelid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigMustelidPenis</defName>
<label>big mustelid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeMustelidPenis</defName>
<label>huge mustelid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MustelidVagina</defName>
<label>Mustelid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MustelidAnus</defName>
<label>Mustelid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<!-- Diprotodontid Family *ZiR* -->
<!-- <race>Diprotodon</race> -->
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DiprotodontidPenis</defName>
<label>average diprotodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>200</MarketValue>
<Mass>1.5</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>MicroDiprotodontidPenis</defName>
<label>micro diprotodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>150</MarketValue>
<Mass>1.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>SmallDiprotodontidPenis</defName>
<label>small diprotodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>175</MarketValue>
<Mass>1.25</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>BigDiprotodontidPenis</defName>
<label>big diprotodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>1.75</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>HugeDiprotodontidPenis</defName>
<label>huge diprotodontid penis</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_male</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>300</MarketValue>
<Mass>2.0</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DiprotodontidVagina</defName>
<label>Diprotodontid vagina</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/genital_female</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
<ThingDef ParentName="rjw_BodyPartNaturalBase">
<defName>DiprotodontidAnus</defName>
<label>Diprotodontid anus</label>
<description>fancy description</description>
<graphicData>
<texPath>Things/Item/Parts/anus</texPath>
<graphicClass>Graphic_Single</graphicClass>
</graphicData>
<statBases>
<MarketValue>250</MarketValue>
<Mass>0.10</Mass>
</statBases>
</ThingDef>
</Defs>
|
Simiol/rjw
|
Defs/ThingDefs/Items_BodyParts/Items_Custom_Parts.xml
|
XML
|
unknown
| 98,277 |
<?xml version="1.0" encoding="utf-8" ?>
<Defs>
<TraitDef>
<defName>insatiablesexdrive</defName>
<commonality>0.1</commonality>
<commonalityFemale>0.01</commonalityFemale>
<degreeDatas>
<li>
<label>sexually insatiable</label>
<description>No matter how often {PAWN_nameDef} has sex, {PAWN_pronoun} is never satisfied. {PAWN_possessive}'s lust knows no bounds.</description>
<statOffsets>
<Vulnerability>0.5</Vulnerability>
<SexFrequency>8</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>heatedsexdrive</li>
<li>botheredsexdrive</li>
<li>collectedsexdrive</li>
<li>cooledsexdrive</li>
<li>inhibitedsexdrive</li>
</conflictingTraits>
</TraitDef>
<TraitDef>
<defName>heatedsexdrive</defName>
<commonality>0.1</commonality>
<commonalityFemale>0.02</commonalityFemale>
<degreeDatas>
<li>
<label>sexually heated</label>
<description>{PAWN_nameDef}'s sex drive is much more stimulated than others. {PAWN_pronoun} wants sex much more often.</description>
<statOffsets>
<Vulnerability>0.3</Vulnerability>
<SexFrequency>4</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>insatiablesexdrive</li>
<li>botheredsexdrive</li>
<li>collectedsexdrive</li>
<li>cooledsexdrive</li>
<li>inhibitedsexdrive</li>
</conflictingTraits>
</TraitDef>
<TraitDef>
<defName>botheredsexdrive</defName>
<commonality>0.2</commonality>
<commonalityFemale>0.03</commonalityFemale>
<degreeDatas>
<li>
<label>sexually bothered</label>
<description>{PAWN_nameDef}'s sex drive is a little more stimulated than others. {PAWN_pronoun} wants sex more often.</description>
<statOffsets>
<Vulnerability>0.1</Vulnerability>
<SexFrequency>2</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>insatiablesexdrive</li>
<li>heatedsexdrive</li>
<li>collectedsexdrive</li>
<li>cooledsexdrive</li>
<li>inhibitedsexdrive</li>
</conflictingTraits>
</TraitDef>
<TraitDef>
<defName>collectedsexdrive</defName>
<commonality>0.1</commonality>
<commonalityFemale>0.02</commonalityFemale>
<degreeDatas>
<li>
<label>sexually collected</label>
<description>{PAWN_nameDef}'s sex drive is a little less stimulated than others. {PAWN_pronoun} wants sex less often.</description>
<statOffsets>
<Vulnerability>-0.1</Vulnerability>
<SexFrequency>-0.2</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>insatiablesexdrive</li>
<li>heatedsexdrive</li>
<li>botheredsexdrive</li>
<li>cooledsexdrive</li>
<li>inhibitedsexdrive</li>
</conflictingTraits>
</TraitDef>
<TraitDef>
<defName>cooledsexdrive</defName>
<commonality>0.1</commonality>
<commonalityFemale>0.01</commonalityFemale>
<degreeDatas>
<li>
<label>sexually cooled</label>
<description>{PAWN_nameDef}'s sex drive is much less stimulated than others. {PAWN_pronoun} wants sex much less often.</description>
<statOffsets>
<Vulnerability>-0.3</Vulnerability>
<SexFrequency>-0.4</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>insatiablesexdrive</li>
<li>heatedsexdrive</li>
<li>botheredsexdrive</li>
<li>collectedsexdrive</li>
<li>inhibitedsexdrive</li>
</conflictingTraits>
</TraitDef>
<TraitDef>
<defName>inhibitedsexdrive</defName>
<commonality>0.1</commonality>
<commonalityFemale>0.01</commonalityFemale>
<degreeDatas>
<li>
<label>sexually inhibited</label>
<description>{PAWN_nameDef} sees {PAWN_possessive} body as a temple, {PAWN_pronoun} is able to hold off {PAWN_possessive} need for sex.</description>
<statOffsets>
<Vulnerability>-0.5</Vulnerability>
<SexFrequency>-0.8</SexFrequency>
</statOffsets>
</li>
</degreeDatas>
<conflictingTraits>
<li>insatiablesexdrive</li>
<li>heatedsexdrive</li>
<li>botheredsexdrive</li>
<li>collectedsexdrive</li>
<li>cooledsexdrive</li>
</conflictingTraits>
</TraitDef>
</Defs>
|
Simiol/rjw
|
Defs/TraitDefs/Traits_SexDrive.xml
|
XML
|
unknown
| 4,117 |
<?xml version="1.0" encoding="utf-8" ?>
<Patch>
<Operation Class="PatchOperationAdd">
<xpath>/Defs/AlienRace.ThingDef_AlienRace/alienRace/raceRestriction/apparelList</xpath>
<value>
<li>RJW_BreedersCharm</li>
</value>
<success>Always</success>
</Operation>
</Patch>
|
Simiol/rjw
|
Patches/Add_Breeder_Charm.xml
|
XML
|
unknown
| 278 |
<?xml version="1.0" encoding="utf-8" ?>
<Patch>
<!-- Dragonia -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>GenderBalancer</li>
</mods>
<match Class="PatchOperationFindMod">
<mods>
<li>[1.0]Lost Forest</li>
</mods>
<match Class="PatchOperationSequence">
<success>Normal</success>
<operations>
<li Class="PatchOperationRemove">
<xpath>/Defs/ThingDef[defName="LF_Dragonia"]/race/hasGenders</xpath>
</li>
<li Class="PatchOperationAdd">
<xpath>/Defs/ThingDef[defName="LF_Dragonia"]/comps</xpath>
<value>
<li Class="GenderBalancer.GenderBalanceSettings">
<maleGenderWeight>0</maleGenderWeight>
<femaleGenderWeight>1</femaleGenderWeight>
<noGenderWeight>0</noGenderWeight>
</li>
</value>
</li>
</operations>
</match>
</match>
</Operation>
<!-- Servant -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>GenderBalancer</li>
</mods>
<match Class="PatchOperationFindMod">
<mods>
<li>[1.0]Lost Forest</li>
</mods>
<match Class="PatchOperationSequence">
<success>Normal</success>
<operations>
<li Class="PatchOperationRemove">
<xpath>/Defs/ThingDef[defName="LF_PetiteServantDragon"]/race/hasGenders</xpath>
</li>
<li Class="PatchOperationAdd">
<xpath>/Defs/ThingDef[defName="LF_PetiteServantDragon"]/comps</xpath>
<value>
<li Class="GenderBalancer.GenderBalanceSettings">
<maleGenderWeight>1</maleGenderWeight>
<femaleGenderWeight>1</femaleGenderWeight>
<noGenderWeight>0</noGenderWeight>
</li>
</value>
</li>
</operations>
</match>
</match>
</Operation>
</Patch>
|
Simiol/rjw
|
Patches/LF_Patch.xml
|
XML
|
unknown
| 1,721 |
<?xml version="1.0" encoding="utf-8" ?>
<Patch>
<!-- RJW Dragonian -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>Dragonian RimjobEdtion</li>
<!-- if you add other Dragonian Alien race mods name here just like above it should work if they use the same Def Name -->
</mods>
<match Class="PatchOperationReplace">
<xpath>Defs/AlienRace.ThingDef_AlienRace[defName="Dragonian"]/race/lifeExpectancy</xpath>
<value>
<lifeExpectancy>850</lifeExpectancy>
</value>
</match>
</Operation>
<!-- Eldar -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>[O21] Rimhammer 40K</li>
</mods>
<match Class="PatchOperationReplace">
<xpath>Defs/AlienRace.ThingDef_AlienRace[defName="Alien_Eldar"]/race/lifeExpectancy</xpath>
<value>
<lifeExpectancy>8000</lifeExpectancy>
</value>
</match>
</Operation>
<!-- Astoriel -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>Astoriel</li>
</mods>
<match Class="PatchOperationReplace">
<xpath>Defs/AlienRace.ThingDef_AlienRace[defName="Alien_Astoriel"]/race/lifeExpectancy</xpath>
<value>
<lifeExpectancy>10000</lifeExpectancy>
</value>
</match>
</Operation>
<!-- Drow -->
<Operation Class="PatchOperationFindMod">
<mods>
<li>Astoriel</li>
</mods>
<match Class="PatchOperationReplace">
<xpath>Defs/AlienRace.ThingDef_AlienRace[defName="Alien_Drow_Otto"]/race/lifeExpectancy</xpath>
<value>
<lifeExpectancy>15000</lifeExpectancy>
</value>
</match>
</Operation>
</Patch>
|
Simiol/rjw
|
Patches/Life_Expectancy.xml
|
XML
|
unknown
| 1,508 |
This mod requires RJW and must be placed somewhere below it.
please erase any racesupport files covered by this mod if they are in another mod.
Report Errors and issues to Abraxas in the RJW discord
Plans :
Add more parts and races to support
Include mod links inside the Race Support files and the LoversLab page
JecsTools and Multiplayer Related:
For Multiplayer just delete the file in RJWRaceSupport\Defs\ThingDefs\Items_Apparel. without this file you should avoid an error due to not having JecsTools.
Alternatively if you don't use JecsTools do the above as well.
Thanks :
Ed86 (for Maintaining RJW)
MewTopian (for the expantion on RaceSupport)
DarkSlayerEX (for Traits and Breeders Charm)
ShauaPuta (Adding Support for their Races, Age Patches)
Zimtraucher (Megafauna)
|
Simiol/rjw
|
ReadMe.txt
|
Text
|
unknown
| 782 |
Roberto Maar (robi) <robi6@users.sf.net>
|
orochi/ext4magic
|
AUTHORS
|
none
|
mit
| 41 |
0.3.1 Some minor bugs been fixed.
new : support for ecryptfs by Magic-function
0.3.0 switch to BETA status
Some minor bugs been fixed. compiler warnings eliminated
0.3.0.pv2 new : a new partial step, recovers journal lost inodes
new : support for libext2fs 1.41.x and 1.42.x
BUG : #018449 #018437
for file systems > 8TByte some errors fixed
0.3.0.pv1 new : functions for RPM; DBF; XCF(Gimp); ESRI; DjVu and CDF
change : DEB; ZIP; TTF; Gnumeric; some Perl and Python files
Optimization for text based files (not completed yet)
0.3.0-pv0 new : the first experimental version of the magic-functions for ext4
disabled : the magic-function for ext3 is switched off in this version
change : Most functions in file_type.c are strongly modified, or completely new;
Many functions in magic_block_scan.c been enhanced for the properties of ext4
filetype sorted file names with file extension in the directory MAGIC-2
new dependencies: zlib ; bzlib
0.2.3 temporarily separate development branch
BUG : 018244
change : filetype sorted file names with file extension in the directory MAGIC-2
0.2.2 new : Option -D (Disaster recovery) recover data from severely damaged file systems (Expert-Mode)
move : option -Q has been moved to the expert mode(too much confusion for normal users)
BUG : Memory leak fixed (ext4 inode extents)
BUG : #018106 ext4 extents are displayed partly false
change : improved evaluation of directory data blocks
this eliminate some errors in directories with HTREE
0.2.1 new : optional Expert-Mode (activate at configure) new Options "-s blocksize" ; "-n blockcount" ; "-c"
change : activate magic level 1 and 2 for recover from the root inode
BUG : #018040
0.2.0 change :optimization of the ext3 magic scan functions
new: support for a lot of images, video and audio
new: possibility of the stream orientation. (needed for mp3)
change : prevent partially recover on txt and other
change : an already restored file tail does not prevent the recover of the entire file
BUG: #017694; #017695; #017712
0.2.0-pv2 new: support and modification for a lot of filetype
change :adjusting settings for version file-5.04
change :stabilization of the magic scan functions
BUG: segfault if filesystem can not open.
BUG: #017625; #017618
BUG: #017547; #017556; #017557; #017559; #017562
BUG: #017561 change Install HOWTO
0.2.0-pv0 BUG: #017447 ; #017453
enable the first version of the magic-functions for ext3
new Options "-M" and "-m"
check header und library in configure
0.1.4 BUG: #17387 symlink not restored
BUG: #17423 undeleted directory not found
BUG: #17425 run-time error "segmentation fault" at the beginning of a directory
enable optional support for ext2/3/4 file attributes
restore unlinked files
0.1.3 BUG: crash if no write access to input filename list
changes: time option to "-a ...." and "-b ...."
changes: time match search for inode in directory
changes: BIG ENDIAN swap dirblock
changes: checking recover device
fix: some small bugs
0.1.2 hardlink database: Changes handling link-count
hardlink database: at end of process print content
set_dir_attributes(): create now also empty directories with "-R"
new option "-Q" : high quality recover, not use of deleted directory entry
BUG: incorrect cr_time in histogram
BUG: recover_file(): socket Inode not ignored
BUG: list of special and bad Inodes produce crash
BUG: symlink : group and owner not correct
Change some display options
0.1.1 first complete version
|
orochi/ext4magic
|
ChangeLog
|
none
|
mit
| 3,611 |
Install ext4magic
===================
Quick Install HOWTO
====================
You have to compile the ext4magic source code. It install a binary program /usr/local/sbin/ext4magic and a manpage
This works only on Linux (also Big-Endian-CPUs)
Other UNIX operating systems will not compile.
You need the packages :
gcc
make
Furthermore, there are dependencies to following libraries:
libmagic
libext2fs
libz
libbz2
These libraries are present on any Linux, but you need some actual versions.
Check the version with the following commands:
# file -v
# /sbin/fsck.ext3 -V
the version of "file" must be > 5.03 (file-5.05 and file-5.17 see Known Bugs)
and the EXT2FS Library version >= 1.41.9 (libext2fs-1.42 see Known Bugs)
Under these conditions, installation is fairly simple.
Install the following devel packages:
There are possibley different names according your Linux distribution
openSuse debian Fedora
----------------------------------------------------------------------
libext2fs-devel e2fslibs-dev e2fsprogs-devel
libuuid-devel uuid-dev libuuid-devel
libblkid-devel libblkid-dev libblkid-devel
file-devel libmagic-dev file-devel
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
unzip the archive and cd into the directory
# tar -xzf ext4magic-?.?.?.tar.gz
# cd ext4magic-?.?.?
The following commands to compile ext4magic
# ./configure
# make
and install as root
# make install
this is everything, and it installs the following files
/usr/local/sbin/ext4magic
/usr/local/share/man/man8/ext4magic.8
Optional extensions
====================
with configure the following extensions can be activated
--enable-expert-mode # (recommended) use of file system superblock copies
and recover from partially destroyed file systems
--enable-file-attr # restore also file attributes
===================================================================================
Detailed Install Howto for special cases
========================================
Following detailed instructions for installing considered special cases,
depends on the library versions also on older operating systems or
if the devel package can not be found or if certain libraries to be statically linked.
The file-command and the library libmagic
========================================
In versions ext4magic > 0.1.4 you need the package of the Linux command "file".
Needed a version > 5.03 (see also BUG:#017561) for stabil magic-functions in ext4magic.
Which version is installed displays the following command
# file -v
If found >= 5.04 on your Linux, install also the devel package, or you must create a symlink of the library. (see follow)
No version >= 5.04 for your Linux available? You can also install version file-5.?? from source.
download ftp://ftp.astron.com/pub/file/
You can uninstall the older version of "file" (not recommended) if it has no dependencies to other packages. (eg. perl,apache,...)
If the old version deleted, the new must necessarily configured to /usr and not to /usr/local.
Or you can install a second version to /usr/local (recommended)
In this case, do not install the devel package of an old version.
The following illustrates the installation of a second version
# tar -xzf file-5.04.tar.gz
# cd file-5.04
# ./configure
# make
# su -
# cd ????/file-5.04
# make install
# ldconfig
The following command should now show both, the version in "/usr/lib/" and in "/usr/local/lib/"
(If use a 64-bit system, the library path can also be /usr/lib64 and /usr/local/lib64)
# ldconfig -p | grep libmagic
libmagic.so.1 (libc6) => /usr/local/lib/libmagic.so.1
libmagic.so.1 (libc6) => /usr/lib/libmagic.so.1
libmagic.so (libc6) => /usr/local/lib/libmagic.so
In this case, the symlink "/usr/lib/libmagic.so" should not exist. (see follow)
If the new version libmagic is now not available in /usr/local/... , or the following command failed
#/usr/local/bin/file -v
then try the following command as root
# ldconfig /usr/local/lib /usr/local/lib64
and check again.
Which of the two libmagic versions the finished ext4magic use, you can check with:
# ldd /usr/local/sbin/ext4magic | grep libmagic
libmagic.so.1 => /usr/local/lib/libmagic.so.1 (0xb7741000)
If you get the following error during configure ext4magic:
"library libmagic.so >= 5.04 not found, install package "file-5.04" and "file-devel" (workaround see INSTALL)"
and >= "file-5.04" is installed, then no file "libmagic.so" is found, probably the devel package is not installed.
Not for all distributions it is available. You can work around that by generate a symlink "libmagic.so" to the
existing version of this library. (on a 64-bit system, the library path can also be /usr/lib64 )
see the following log:
# cd /usr/lib
# ln -s libmagic.so.1 libmagic.so
# ls -l /usr/lib/libmagic*
lrwxrwxrwx 1 root root 13 Sep 23 01:40 /usr/lib/libmagic.so -> libmagic.so.1
lrwxrwxrwx 1 root root 17 Aug 28 16:09 /usr/lib/libmagic.so.1 -> libmagic.so.1.0.0
-rwxr-xr-x 1 root root 116720 Oct 24 2009 /usr/lib/libmagic.so.1.0.0
For more than one version of libmagic:
The version for compiling with ext4magic should have the symlink "libmagic.so"
another version of libmagic should not have this symlink.
Devel packages and librarys of libext2fs
========================================
First check your current version of libext2fs with the following command
# /sbin/fsck.ext3 -V
if Version >= 1.41.9 and not 1.42
==================================
Install the following devel packages:
There are possibley different names according your Linux distribution
openSuse debian Fedora
----------------------------------------------------------------------
libext2fs-devel e2fslibs-dev e2fsprogs-devel
libuuid-devel uuid-dev libuuid-devel
libblkid-devel libblkid-dev libblkid-devel
file-devel libmagic-dev file-devel
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
then compile ext4magic
# tar -xzf ext4magic-0.3.2.tar.gz
# cd ext4magic-0.3.2
# ./configure --enable-expert-mode
# make
# su
# make install
if Version < 1.41.9 ( or if 1.42 )
===================
Install the following devel packages:
There are possibley different names according your Linux distribution
openSuse debian Fedora
----------------------------------------------------------------------
file-devel libmagic-dev file-devel
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
download a actual version of e2fsprogs from http://e2fsprogs.sourceforge.net/
# tar -xzf e2fsprogs-1.42.9.tar.gz
# cd e2fsprogs-1.42.9
# ./configure
# make
Important: Please do not install this version. ( !!! do not "make install" !!!
this could create problems with programs of your current distribution ..)
save the actual directory path of lib/ in a variable for future use in configure commandline.
# EXT2LIB="$(pwd)/lib"
After this, change into the code directory of ext4magic ( Importent: use the same shell where you set EXT2LIB )
# tar -xzf ext4magic-0.3.2.tar.gz
# cd ext4magic-0.3.2
# ./configure --enable-expert-mode CFLAGS="-I$EXT2LIB" LDFLAGS="-L$EXT2LIB" LIBS="-luuid -lcom_err -lpthread -lmagic -lz -lbz2"
# make
# su
# make install
ext4magic is so static linked to the newer library. You can see different version of libext2fs by:
# ext4magic -V x
# /sbin/fsck.ext3 -V
--------------------------------------------------------------------------
|
orochi/ext4magic
|
INSTALL
|
none
|
mit
| 7,999 |
Installations HOWTO deutsch
Quick Installation von ext4magic
================================
Allgemeine Voraussetzungen
--------------------------
Die Installation von ext4magic ist derzeit nur auf Linux möglich. Andere Unix basierende
Betriebssyteme werden sich nicht ohne größere Änderungen am Quellcode kompilieren lassen.
Das Programm unterstützt auch "Big endian" basierende Prozessoren, getestet wurden derzeit
OpenSuse x86 32/64Bit
Ubuntu Sparc64
Fedora (VM)
Zum Installieren von ext4magic aus dem Quellcode werden folgende Pakete auf dem Rechner benötigt
diese werden noch einige andere Pakete aus der Entwicklergruppe mit installieren und sollten soweit
nicht schon vorhanden, vorher installiert werden.
gcc
make
Desweiteren sind Abhängigkeiten zu folgenden Libraries zu beachten.
libmagic
libext2fs
neu bei Versionen >= 0.3.0
libz
libbz2
Diese Libraries sind zwar auf jedem Linux vorhanden, doch es werden aktuelle Versionen für ext4magic benötigt.
Überprüfe die Versionen mit den folgenden Kommandos:
# file -v
# /sbin/fsck.ext3 -V
Die Version von "file" muss > 5.03 sein (Achtung file-5.05 und file-5.17, siehe "Known Bugs" in README
und die EXT2FS Library Version >= 1.41.9 (Achtung Version 1.42 hat einen Bug und ist für ext4magic unbrauchbar)
In diesem Fall ist die Installation recht einfach.
Installiere folgende Develpakete:
Entsprechend der Linuxdistribution können diese etwas unterschiedliche Namen tragen.
openSuse debian Fedora
----------------------------------------------------------------------
libext2fs-devel e2fslibs-dev e2fsprogs-devel
libuuid-devel uuid-dev libuuid-devel
libblkid-devel libblkid-dev libblkid-devel
file-devel libmagic-dev file-devel
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
Entpacke das Archive und mit cd in das Verzeichnis wechseln
# tar -xzf ext4magic-?.?.?.tar.gz
# cd ext4magic-?.?.?
Die folgenden Kommandos kompilieren ext4magic
# ./configure --enable-expert-mode
# make
installieren dann als root
# make install
dass ist schon alles, es wurden dabei folgende Dateien installiert.
/usr/local/sbin/ext4magic
/usr/local/share/man/man8/ext4magic.8
------------------------------------------------------------------------------------------
Ausführliche Installationsbeschreibung für Problemfälle
=======================================================
Diese Beschreibung berücksichtig auch ältere Betriebssystemversionen für die es die benötigten
Libraries oder Devel-Pakete eventuell nicht gibt, oder wenn ein statisch gelinktes Programm erstellt
werden muss.
Das Kommando "file" und "libmagic"
===================================
In ext4magic > 0.1.4 wird zusätzlich noch "libmagic" des Linux Befehls "file" benutzt.
Es wird dabei für den stabilen Betrieb der Magic-funktionen eine Version > 5.03 benötigt.(siehe auch BUG:#017561)
Welche Version installiert ist zeigt der Befehl
# file -v
Sollte für deine Version >= 5.04 auch ein Devel Paket für diese Distribution auffindbar sein, dann dieses auch
installieren. Nicht in allen Distributionen wird ein solches Devel Paket für "file" gepflegt.
Das daraus entstehende Problem kann auch durch einen einfachen Symlink umgangen werden. (Siehe weiter unten)
Sollte keine Version >= file-5.04 für dein Linux erhältlich sein, kann auch die Version "file-5.??" aus dem
Quellcode installieren werden.
Download ftp://ftp.astron.com/pub/file/
Es kann die alte "file" Version vom Rechner deinstalliert werden, (aber nicht empfohlener Weg)
soweit keine weiteren Abhängikeiten zu anderen Paketen (zB apache, perl,...) bestehen,
Wird die alte Version gelöscht, muss die neue zwingend wieder für /usr und nicht für /usr/local
konfiguriert werden.
Oder, es kann auch eine zweite Version zusätzlich unterhalb von /usr/local installiert, werden. (empfohlener Weg)
In diesem Fall dann bitte das Devel Paket einer älteren Version nicht installieren.
Die Installation einer zweiten Version hier im Überblick.
# tar -xzf file-5.04.tar.gz
# cd file-5.04
# ./configure
# make
# su -
# cd ????/file-5.04
# make install
# ldconfig
Das folgenden Kommando sollte jetzt beide Versionen von libmagic zeigen, unterhalb "/usr/lib/" und unterhalb "/usr/local/lib/"
(Auf einem 64-bit System könnten die Library Verzeichnisse auch /usr/lib64 und /usr/local/lib64 sein)
# ldconfig -p | grep libmagic
libmagic.so.1 (libc6) => /usr/local/lib/libmagic.so.1
libmagic.so.1 (libc6) => /usr/lib/libmagic.so.1
libmagic.so (libc6) => /usr/local/lib/libmagic.so
In diesem Fall sollte dann der Symlink "/usr/lib/libmagic.so" nicht existieren (siehe weiter unten).
Wird die libmagic.so jetzt nicht unterhalb von /usr/local/ angezeigt, oder das Kommando
# /usr/local/bin/file -v
bringt eine Fehlermeldung, obwohl "ldconfig" nach der Installation
ausgeführt wurde, dann ist wahrscheinlich in der Datei /etc/ld.so.conf das Verzeichnis
/usr/local/lib oder /usr/local/lib64 nicht eingetragen.
In diesem Fall noch einmal als root den Befehl mit dem Library Verzeichnis absetzten.
# ldconfig /usr/local/lib /usr/local/lib64
Welche der beiden libmagic Versionen das fertig ext4magic nutzt, kann später wie folgt überprüft werden:
# ldd /usr/local/sbin/ext4magic | grep libmagic
libmagic.so.1 => /usr/local/lib/libmagic.so.1 (0xb7741000)
Erzeugt configure bei ext4magic trotz installiertem "file-5.04" Paket folgende Fehlermeldung:
"library libmagic.so >= 5.04 not found, install package "file-5.04" and "file-devel" (workaround see INSTALL)"
Es ist in diesem Fall wohl das devel Paket nicht installiert. Dieses ist auch nicht für jedes Linux erhältlich.
Es fehlt nur ein Symlink zum kompilieren, dieser ist schnell auch per Hand angelegt.
Dazu als root in das Verzeichnis /usr/lib oder /usr/lib64 wechseln und einen Symlink libmagic.so
auf die dort vorhandene Version dieser Library erzeugen. Folgender Konsollog zeigt das Vorgehen.
(auf einem 64-bit System könnte dieses Verzeichnis auch /usr/lib64 sein)
# ls -l /usr/lib/libmagic*
lrwxrwxrwx 1 root root 17 Aug 28 16:09 /usr/lib/libmagic.so.1 -> libmagic.so.1.0.0
-rwxr-xr-x 1 root root 116720 Oct 24 2009 /usr/lib/libmagic.so.1.0.0
# cd /usr/lib
# ln -s libmagic.so.1 libmagic.so
# ls -l /usr/lib/libmagic*
lrwxrwxrwx 1 root root 13 Sep 23 01:40 /usr/lib/libmagic.so -> libmagic.so.1
lrwxrwxrwx 1 root root 17 Aug 28 16:09 /usr/lib/libmagic.so.1 -> libmagic.so.1.0.0
-rwxr-xr-x 1 root root 116720 Oct 24 2009 /usr/lib/libmagic.so.1.0.0
Die Version von libmagic mit der ext4magic zusammen kompiliert werden soll, muss diesen Link besitzen.
Eine eventuelle weitere Version von libmagic sollte diesen Link nicht besitzen damit sie nicht unbeabsichtigt
während der Kompilierung doch benutzt wird. Dieses würde innerhalb von ext4magic zu Speicherfehlern und Abstürzen führen.
Der Link kann nach dem Kopilieren wieder entfernt werden.
Devel Pakete und Libraries libext2fs
====================================
Was weiter benötigt wird, ist abhängig von der Version einer auf ihrem System verwendeten Library libext2fs.
Auf dieser Library basieren die Befehle zum Erstellen und Verwalten der ext2/3/4 Filesysteme
Installation bei einer aktuellen Version von libext2fs
------------------------------------------------------
Soweit eine aktuelle Version (>= 1.41.9 und nicht 1.42) von libext2fs auf dem Rechner installiert ist,
kann die folgende Vorgehensweise zum erstellen des Programmes genutzt werden.
Die Version kann mit folgendem Befehl ermittet werden.
# /sbin/fsck.ext3 -V
e2fsck 1.41.9 (22-Aug-2009)
Using EXT2FS Library version 1.41.9, 22-Aug-2009
Zum kompilieren werden dabei einige Devel-Pakete benötigt, diese können in den einzelnen Distributionen
unterschiedliche Namen tragen. Hier als Beispiel der Vergleich der Paketnamen
zwischen einigen Distributionen
openSuse debian Fedora
----------------------------------------------------------------------
libext2fs-devel e2fslibs-dev e2fsprogs-devel
libuuid-devel uuid-dev libuuid-devel
libblkid-devel libblkid-dev libblkid-devel
file-devel libmagic-dev file-devel (siehe auch oben)
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
Das ext4magic Archiv downloaden und entpacken und in das so entstehende Verzeichnis wechseln
# tar -xzf ext4magic-0.3.2.tar.gz
# cd ext4magic-0.3.2
Das Paket wird jetzt kompiliert.
# ./configure --enable-expert-mode
# make
Damit wird das binäre Programm ext4magic erstellt. Dieses befindet sich derzeit noch im
Unterverzeichnis ext4magic/src/ und kann aber auch schon von dort aus gestartet werden.
# make install
Als root ausgeführt, wird das Programm nach /usr/local/sbin/ installieren.
Deinstallieren dann entsprechend mit "make uninstall"
Installation bei einer älteren Version von libext2fs oder bei 1.42
========================================================
Sollte ihr Rechner aktuell noch kein ext4 Filesystem unterstützen, befindet sich auf dem Rechner
derzeit wahrscheinlich auch eine ältere Version von libext2fs. 1.42 (ohne .irgendwas) hat einen Bug
und ist für ext4magic nicht brauchbar. Damit läßt sich ext4magic nicht kompilieren oder im Fall 1.42
gibt es Speicherfehler. Eine Upgrade von libext2fs auf ein nicht zu ihrer Distribution passenden
Version ist jedoch nicht anzuraten, da auch wichtige Administrationskommandos
wie zB "mkfs.ext3" und "fsck.ext3" davon betroffen sind.
Mit folgender Vorgehensweise kann dieses Problem umgangen werden.
Zum kompilieren werden dabei bei dieser Vorgehensweise nur folgende Devel-Pakete benötigt.
openSuse debian Fedora
----------------------------------------------------------------------
file-devel libmagic-dev file-devel (siehe auch oben)
zlib-devel zlib1g-dev ?
libbz2-devel libbz2-dev ?
Von http://e2fsprogs.sourceforge.net/ eine Version von e2fsprogs größer oder gleich Version 1.41.9 herunterladen.
Das Archiv entpacken und in das Verzeichnis wechseln.
Dort den Quellcode kompilieren, jedoch ohne ihn zu installieren.
# tar -xzf e2fsprogs-1.42.9.tar.gz
# cd e2fsprogs-1.42.9
# ./configure
# make
Die letzten beiden Befehle werden einige Zeit benötigen und eine Reihe von Ausgaben auf dem Bildschirm machen.
Erfolgreich ist der Vorgang, wenn in den letzen Zeilen nichts von "ERROR" steht.
Das aktuelle Verzeichnis in dem sie sich momentan noch befinden mit folgendem Befehl
in einer Variable abspeichern. Diesen Path benötigen wir zum kompilieren von ext4magic.
# EXT2LIB="$(pwd)/lib"
Danach in das Verzeichnis von ext4magic wechseln, welches beim Entpacken des Archives von
ext4magic angelegt wird. Jetzt die gleiche Shell benutzen in der die EXT2LIB Variable angelegt wurde.
wie folgt compilieren ( die selbe Shell benutzen in der die Variabel EXT2LIB angelegt wurde )
# tar -xzf ext4magic-0.3.2.tar.gz
# cd ext4magic-0.3.2
# ./configure --enable-expert-mode CFLAGS="-I$EXT2LIB" LDFLAGS="-L$EXT2LIB" LIBS="-luuid -lcom_err -lpthread -lmagic -lz -lbz2"
# make
installieren dann als root mit
# make install
Somit wurde ext4magic statisch gegen eine neuere Version gelinkt.
Die Verwendung der unterschiedlichen Versionen von libext2fs kann im Vergleich der
Ausgabe folgender Befehle erkannt werden:
# ext4magic -V x
ext4magic version : 0.3.0
libext2fs version : 1.41.11
CPU is little endian.
#
# /sbin/fsck.ext3 -V
e2fsck 1.39 (29-May-2006)
Benutze EXT2FS Library version 1.39, 29-May-2006
Sollten sie ext4magic installiert haben und dennoch nicht als root aufrufen können, liegt es wahrscheinlich an der PATH Variable.
In vielen Distributionen ist /usr/local/sbin default entweder gar nicht in der PATH-Variable, oder nur wenn sie bei der Anmeldung
als root wirklich eine Loginshell durchlaufen haben. Sollte obwohl sie als root ausgeführt ext4magic
nicht gefunden werden, wechseln mit dem Befehl
# su -
noch einmal zu root.
Dabei wird eine Loginshell durchlaufen und die PATH-Variable auch auf diese lokalen Systemverwalter Programme gesetzt.
Sollte es auch jetzt nicht funktionieren, überprüfen sie ihre PATH Variable des Users root.
Hier sollte "/usr/local/sbin" mit aufgeführt sein.
Das selbe was eben bei der PATH-Variable gesagt wurde, könnte sich ähnlich auch bei der
MANPATH Variable darstellen. Sollten sie die Manpage von ext4magic, obwohl sie das Programm installiert haben,
nicht aufrufen können. Überprüfen sie die MANPATH Variable.
Sollten sie ext4magic nicht installieren, können sie dennoch die Manpage auch ohne Installation anschauen.
Aus dem Verzeichnis in dem sie configure und make ausführen, starten sie einen der folgenden Befehl
um die Manpage zu lesen:
# nroff -man src/ext4magic.8 | more
# man -l src/ext4magic.8
-----------------------------------------------------------------------------
|
orochi/ext4magic
|
INSTALL.de
|
de
|
mit
| 13,354 |
# not a GNU package. You can remove this line, if
# have all needed files, that a GNU package needs
AUTOMAKE_OPTIONS = foreign 1.4
SUBDIRS = src
EXTRA_DIST = INSTALL.de
|
orochi/ext4magic
|
Makefile.am
|
am
|
mit
| 169 |
# Makefile.in generated by automake 1.12.1 from Makefile.am.
# @configure_input@
# Copyright (C) 1994-2012 Free Software Foundation, Inc.
# This Makefile.in is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY, to the extent permitted by law; without
# even the implied warranty of MERCHANTABILITY or FITNESS FOR A
# PARTICULAR PURPOSE.
@SET_MAKE@
VPATH = @srcdir@
am__make_dryrun = \
{ \
am__dry=no; \
case $$MAKEFLAGS in \
*\\[\ \ ]*) \
echo 'am--echo: ; @echo "AM" OK' | $(MAKE) -f - 2>/dev/null \
| grep '^AM OK$$' >/dev/null || am__dry=yes;; \
*) \
for am__flg in $$MAKEFLAGS; do \
case $$am__flg in \
*=*|--*) ;; \
*n*) am__dry=yes; break;; \
esac; \
done;; \
esac; \
test $$am__dry = yes; \
}
pkgdatadir = $(datadir)/@PACKAGE@
pkgincludedir = $(includedir)/@PACKAGE@
pkglibdir = $(libdir)/@PACKAGE@
pkglibexecdir = $(libexecdir)/@PACKAGE@
am__cd = CDPATH="$${ZSH_VERSION+.}$(PATH_SEPARATOR)" && cd
install_sh_DATA = $(install_sh) -c -m 644
install_sh_PROGRAM = $(install_sh) -c
install_sh_SCRIPT = $(install_sh) -c
INSTALL_HEADER = $(INSTALL_DATA)
transform = $(program_transform_name)
NORMAL_INSTALL = :
PRE_INSTALL = :
POST_INSTALL = :
NORMAL_UNINSTALL = :
PRE_UNINSTALL = :
POST_UNINSTALL = :
build_triplet = @build@
host_triplet = @host@
subdir = .
DIST_COMMON = README $(am__configure_deps) $(srcdir)/Makefile.am \
$(srcdir)/Makefile.in $(srcdir)/config.h.in \
$(top_srcdir)/configure AUTHORS COPYING ChangeLog INSTALL NEWS \
TODO compile config.guess config.sub depcomp install-sh \
ltmain.sh missing mkinstalldirs
ACLOCAL_M4 = $(top_srcdir)/aclocal.m4
am__aclocal_m4_deps = $(top_srcdir)/configure.ac
am__configure_deps = $(am__aclocal_m4_deps) $(CONFIGURE_DEPENDENCIES) \
$(ACLOCAL_M4)
am__CONFIG_DISTCLEAN_FILES = config.status config.cache config.log \
configure.lineno config.status.lineno
mkinstalldirs = $(SHELL) $(top_srcdir)/mkinstalldirs
CONFIG_HEADER = config.h
CONFIG_CLEAN_FILES =
CONFIG_CLEAN_VPATH_FILES =
SOURCES =
DIST_SOURCES =
RECURSIVE_TARGETS = all-recursive check-recursive dvi-recursive \
html-recursive info-recursive install-data-recursive \
install-dvi-recursive install-exec-recursive \
install-html-recursive install-info-recursive \
install-pdf-recursive install-ps-recursive install-recursive \
installcheck-recursive installdirs-recursive pdf-recursive \
ps-recursive uninstall-recursive
am__can_run_installinfo = \
case $$AM_UPDATE_INFO_DIR in \
n|no|NO) false;; \
*) (install-info --version) >/dev/null 2>&1;; \
esac
RECURSIVE_CLEAN_TARGETS = mostlyclean-recursive clean-recursive \
distclean-recursive maintainer-clean-recursive
AM_RECURSIVE_TARGETS = $(RECURSIVE_TARGETS:-recursive=) \
$(RECURSIVE_CLEAN_TARGETS:-recursive=) tags TAGS ctags CTAGS \
cscope distdir dist dist-all distcheck
ETAGS = etags
CTAGS = ctags
CSCOPE = cscope
DIST_SUBDIRS = $(SUBDIRS)
DISTFILES = $(DIST_COMMON) $(DIST_SOURCES) $(TEXINFOS) $(EXTRA_DIST)
distdir = $(PACKAGE)-$(VERSION)
top_distdir = $(distdir)
am__remove_distdir = \
if test -d "$(distdir)"; then \
find "$(distdir)" -type d ! -perm -200 -exec chmod u+w {} ';' \
&& rm -rf "$(distdir)" \
|| { sleep 5 && rm -rf "$(distdir)"; }; \
else :; fi
am__post_remove_distdir = $(am__remove_distdir)
am__relativize = \
dir0=`pwd`; \
sed_first='s,^\([^/]*\)/.*$$,\1,'; \
sed_rest='s,^[^/]*/*,,'; \
sed_last='s,^.*/\([^/]*\)$$,\1,'; \
sed_butlast='s,/*[^/]*$$,,'; \
while test -n "$$dir1"; do \
first=`echo "$$dir1" | sed -e "$$sed_first"`; \
if test "$$first" != "."; then \
if test "$$first" = ".."; then \
dir2=`echo "$$dir0" | sed -e "$$sed_last"`/"$$dir2"; \
dir0=`echo "$$dir0" | sed -e "$$sed_butlast"`; \
else \
first2=`echo "$$dir2" | sed -e "$$sed_first"`; \
if test "$$first2" = "$$first"; then \
dir2=`echo "$$dir2" | sed -e "$$sed_rest"`; \
else \
dir2="../$$dir2"; \
fi; \
dir0="$$dir0"/"$$first"; \
fi; \
fi; \
dir1=`echo "$$dir1" | sed -e "$$sed_rest"`; \
done; \
reldir="$$dir2"
DIST_ARCHIVES = $(distdir).tar.gz
GZIP_ENV = --best
DIST_TARGETS = dist-gzip
distuninstallcheck_listfiles = find . -type f -print
am__distuninstallcheck_listfiles = $(distuninstallcheck_listfiles) \
| sed 's|^\./|$(prefix)/|' | grep -v '$(infodir)/dir$$'
distcleancheck_listfiles = find . -type f -print
ACLOCAL = @ACLOCAL@
AMTAR = @AMTAR@
AR = @AR@
AUTOCONF = @AUTOCONF@
AUTOHEADER = @AUTOHEADER@
AUTOMAKE = @AUTOMAKE@
AWK = @AWK@
CC = @CC@
CCDEPMODE = @CCDEPMODE@
CFLAGS = @CFLAGS@
CPP = @CPP@
CPPFLAGS = @CPPFLAGS@
CYGPATH_W = @CYGPATH_W@
DEFS = @DEFS@
DEPDIR = @DEPDIR@
DLLTOOL = @DLLTOOL@
DSYMUTIL = @DSYMUTIL@
DUMPBIN = @DUMPBIN@
ECHO_C = @ECHO_C@
ECHO_N = @ECHO_N@
ECHO_T = @ECHO_T@
EGREP = @EGREP@
EXEEXT = @EXEEXT@
FGREP = @FGREP@
GREP = @GREP@
INSTALL = @INSTALL@
INSTALL_DATA = @INSTALL_DATA@
INSTALL_PROGRAM = @INSTALL_PROGRAM@
INSTALL_SCRIPT = @INSTALL_SCRIPT@
INSTALL_STRIP_PROGRAM = @INSTALL_STRIP_PROGRAM@
LD = @LD@
LDFLAGS = @LDFLAGS@
LIBOBJS = @LIBOBJS@
LIBS = @LIBS@
LIBTOOL = @LIBTOOL@
LIPO = @LIPO@
LN_S = @LN_S@
LTLIBOBJS = @LTLIBOBJS@
MAKEINFO = @MAKEINFO@
MANIFEST_TOOL = @MANIFEST_TOOL@
MKDIR_P = @MKDIR_P@
NM = @NM@
NMEDIT = @NMEDIT@
OBJDUMP = @OBJDUMP@
OBJEXT = @OBJEXT@
OTOOL = @OTOOL@
OTOOL64 = @OTOOL64@
PACKAGE = @PACKAGE@
PACKAGE_BUGREPORT = @PACKAGE_BUGREPORT@
PACKAGE_NAME = @PACKAGE_NAME@
PACKAGE_STRING = @PACKAGE_STRING@
PACKAGE_TARNAME = @PACKAGE_TARNAME@
PACKAGE_URL = @PACKAGE_URL@
PACKAGE_VERSION = @PACKAGE_VERSION@
PATH_SEPARATOR = @PATH_SEPARATOR@
RANLIB = @RANLIB@
SED = @SED@
SET_MAKE = @SET_MAKE@
SHELL = @SHELL@
STRIP = @STRIP@
VERSION = @VERSION@
abs_builddir = @abs_builddir@
abs_srcdir = @abs_srcdir@
abs_top_builddir = @abs_top_builddir@
abs_top_srcdir = @abs_top_srcdir@
ac_ct_AR = @ac_ct_AR@
ac_ct_CC = @ac_ct_CC@
ac_ct_DUMPBIN = @ac_ct_DUMPBIN@
am__include = @am__include@
am__leading_dot = @am__leading_dot@
am__quote = @am__quote@
am__tar = @am__tar@
am__untar = @am__untar@
bindir = @bindir@
build = @build@
build_alias = @build_alias@
build_cpu = @build_cpu@
build_os = @build_os@
build_vendor = @build_vendor@
builddir = @builddir@
datadir = @datadir@
datarootdir = @datarootdir@
docdir = @docdir@
dvidir = @dvidir@
exec_prefix = @exec_prefix@
host = @host@
host_alias = @host_alias@
host_cpu = @host_cpu@
host_os = @host_os@
host_vendor = @host_vendor@
htmldir = @htmldir@
includedir = @includedir@
infodir = @infodir@
install_sh = @install_sh@
libdir = @libdir@
libexecdir = @libexecdir@
localedir = @localedir@
localstatedir = @localstatedir@
mandir = @mandir@
mkdir_p = @mkdir_p@
oldincludedir = @oldincludedir@
pdfdir = @pdfdir@
prefix = @prefix@
program_transform_name = @program_transform_name@
psdir = @psdir@
sbindir = @sbindir@
sharedstatedir = @sharedstatedir@
srcdir = @srcdir@
sysconfdir = @sysconfdir@
target_alias = @target_alias@
top_build_prefix = @top_build_prefix@
top_builddir = @top_builddir@
top_srcdir = @top_srcdir@
# not a GNU package. You can remove this line, if
# have all needed files, that a GNU package needs
AUTOMAKE_OPTIONS = foreign 1.4
SUBDIRS = src
EXTRA_DIST = INSTALL.de
all: config.h
$(MAKE) $(AM_MAKEFLAGS) all-recursive
.SUFFIXES:
am--refresh: Makefile
@:
$(srcdir)/Makefile.in: $(srcdir)/Makefile.am $(am__configure_deps)
@for dep in $?; do \
case '$(am__configure_deps)' in \
*$$dep*) \
echo ' cd $(srcdir) && $(AUTOMAKE) --foreign'; \
$(am__cd) $(srcdir) && $(AUTOMAKE) --foreign \
&& exit 0; \
exit 1;; \
esac; \
done; \
echo ' cd $(top_srcdir) && $(AUTOMAKE) --foreign Makefile'; \
$(am__cd) $(top_srcdir) && \
$(AUTOMAKE) --foreign Makefile
.PRECIOUS: Makefile
Makefile: $(srcdir)/Makefile.in $(top_builddir)/config.status
@case '$?' in \
*config.status*) \
echo ' $(SHELL) ./config.status'; \
$(SHELL) ./config.status;; \
*) \
echo ' cd $(top_builddir) && $(SHELL) ./config.status $@ $(am__depfiles_maybe)'; \
cd $(top_builddir) && $(SHELL) ./config.status $@ $(am__depfiles_maybe);; \
esac;
$(top_builddir)/config.status: $(top_srcdir)/configure $(CONFIG_STATUS_DEPENDENCIES)
$(SHELL) ./config.status --recheck
$(top_srcdir)/configure: $(am__configure_deps)
$(am__cd) $(srcdir) && $(AUTOCONF)
$(ACLOCAL_M4): $(am__aclocal_m4_deps)
$(am__cd) $(srcdir) && $(ACLOCAL) $(ACLOCAL_AMFLAGS)
$(am__aclocal_m4_deps):
config.h: stamp-h1
@if test ! -f $@; then rm -f stamp-h1; else :; fi
@if test ! -f $@; then $(MAKE) $(AM_MAKEFLAGS) stamp-h1; else :; fi
stamp-h1: $(srcdir)/config.h.in $(top_builddir)/config.status
@rm -f stamp-h1
cd $(top_builddir) && $(SHELL) ./config.status config.h
$(srcdir)/config.h.in: $(am__configure_deps)
($(am__cd) $(top_srcdir) && $(AUTOHEADER))
rm -f stamp-h1
touch $@
distclean-hdr:
-rm -f config.h stamp-h1
mostlyclean-libtool:
-rm -f *.lo
clean-libtool:
-rm -rf .libs _libs
distclean-libtool:
-rm -f libtool config.lt
# This directory's subdirectories are mostly independent; you can cd
# into them and run 'make' without going through this Makefile.
# To change the values of 'make' variables: instead of editing Makefiles,
# (1) if the variable is set in 'config.status', edit 'config.status'
# (which will cause the Makefiles to be regenerated when you run 'make');
# (2) otherwise, pass the desired values on the 'make' command line.
$(RECURSIVE_TARGETS):
@fail= failcom='exit 1'; \
for f in x $$MAKEFLAGS; do \
case $$f in \
*=* | --[!k]*);; \
*k*) failcom='fail=yes';; \
esac; \
done; \
dot_seen=no; \
target=`echo $@ | sed s/-recursive//`; \
list='$(SUBDIRS)'; for subdir in $$list; do \
echo "Making $$target in $$subdir"; \
if test "$$subdir" = "."; then \
dot_seen=yes; \
local_target="$$target-am"; \
else \
local_target="$$target"; \
fi; \
($(am__cd) $$subdir && $(MAKE) $(AM_MAKEFLAGS) $$local_target) \
|| eval $$failcom; \
done; \
if test "$$dot_seen" = "no"; then \
$(MAKE) $(AM_MAKEFLAGS) "$$target-am" || exit 1; \
fi; test -z "$$fail"
$(RECURSIVE_CLEAN_TARGETS):
@fail= failcom='exit 1'; \
for f in x $$MAKEFLAGS; do \
case $$f in \
*=* | --[!k]*);; \
*k*) failcom='fail=yes';; \
esac; \
done; \
dot_seen=no; \
case "$@" in \
distclean-* | maintainer-clean-*) list='$(DIST_SUBDIRS)' ;; \
*) list='$(SUBDIRS)' ;; \
esac; \
rev=''; for subdir in $$list; do \
if test "$$subdir" = "."; then :; else \
rev="$$subdir $$rev"; \
fi; \
done; \
rev="$$rev ."; \
target=`echo $@ | sed s/-recursive//`; \
for subdir in $$rev; do \
echo "Making $$target in $$subdir"; \
if test "$$subdir" = "."; then \
local_target="$$target-am"; \
else \
local_target="$$target"; \
fi; \
($(am__cd) $$subdir && $(MAKE) $(AM_MAKEFLAGS) $$local_target) \
|| eval $$failcom; \
done && test -z "$$fail"
tags-recursive:
list='$(SUBDIRS)'; for subdir in $$list; do \
test "$$subdir" = . || ($(am__cd) $$subdir && $(MAKE) $(AM_MAKEFLAGS) tags); \
done
ctags-recursive:
list='$(SUBDIRS)'; for subdir in $$list; do \
test "$$subdir" = . || ($(am__cd) $$subdir && $(MAKE) $(AM_MAKEFLAGS) ctags); \
done
cscopelist-recursive:
list='$(SUBDIRS)'; for subdir in $$list; do \
test "$$subdir" = . || ($(am__cd) $$subdir && $(MAKE) $(AM_MAKEFLAGS) cscopelist); \
done
ID: $(HEADERS) $(SOURCES) $(LISP) $(TAGS_FILES)
list='$(SOURCES) $(HEADERS) $(LISP) $(TAGS_FILES)'; \
unique=`for i in $$list; do \
if test -f "$$i"; then echo $$i; else echo $(srcdir)/$$i; fi; \
done | \
$(AWK) '{ files[$$0] = 1; nonempty = 1; } \
END { if (nonempty) { for (i in files) print i; }; }'`; \
mkid -fID $$unique
tags: TAGS
TAGS: tags-recursive $(HEADERS) $(SOURCES) config.h.in $(TAGS_DEPENDENCIES) \
$(TAGS_FILES) $(LISP)
set x; \
here=`pwd`; \
if ($(ETAGS) --etags-include --version) >/dev/null 2>&1; then \
include_option=--etags-include; \
empty_fix=.; \
else \
include_option=--include; \
empty_fix=; \
fi; \
list='$(SUBDIRS)'; for subdir in $$list; do \
if test "$$subdir" = .; then :; else \
test ! -f $$subdir/TAGS || \
set "$$@" "$$include_option=$$here/$$subdir/TAGS"; \
fi; \
done; \
list='$(SOURCES) $(HEADERS) config.h.in $(LISP) $(TAGS_FILES)'; \
unique=`for i in $$list; do \
if test -f "$$i"; then echo $$i; else echo $(srcdir)/$$i; fi; \
done | \
$(AWK) '{ files[$$0] = 1; nonempty = 1; } \
END { if (nonempty) { for (i in files) print i; }; }'`; \
shift; \
if test -z "$(ETAGS_ARGS)$$*$$unique"; then :; else \
test -n "$$unique" || unique=$$empty_fix; \
if test $$# -gt 0; then \
$(ETAGS) $(ETAGSFLAGS) $(AM_ETAGSFLAGS) $(ETAGS_ARGS) \
"$$@" $$unique; \
else \
$(ETAGS) $(ETAGSFLAGS) $(AM_ETAGSFLAGS) $(ETAGS_ARGS) \
$$unique; \
fi; \
fi
ctags: CTAGS
CTAGS: ctags-recursive $(HEADERS) $(SOURCES) config.h.in $(TAGS_DEPENDENCIES) \
$(TAGS_FILES) $(LISP)
list='$(SOURCES) $(HEADERS) config.h.in $(LISP) $(TAGS_FILES)'; \
unique=`for i in $$list; do \
if test -f "$$i"; then echo $$i; else echo $(srcdir)/$$i; fi; \
done | \
$(AWK) '{ files[$$0] = 1; nonempty = 1; } \
END { if (nonempty) { for (i in files) print i; }; }'`; \
test -z "$(CTAGS_ARGS)$$unique" \
|| $(CTAGS) $(CTAGSFLAGS) $(AM_CTAGSFLAGS) $(CTAGS_ARGS) \
$$unique
GTAGS:
here=`$(am__cd) $(top_builddir) && pwd` \
&& $(am__cd) $(top_srcdir) \
&& gtags -i $(GTAGS_ARGS) "$$here"
cscope: cscope.files
test ! -s cscope.files \
|| $(CSCOPE) -b -q $(AM_CSCOPEFLAGS) $(CSCOPEFLAGS) -i cscope.files $(CSCOPE_ARGS)
clean-cscope:
-rm -f cscope.files
cscope.files: clean-cscope cscopelist-recursive cscopelist
cscopelist: cscopelist-recursive $(HEADERS) $(SOURCES) $(LISP)
list='$(SOURCES) $(HEADERS) $(LISP)'; \
case "$(srcdir)" in \
[\\/]* | ?:[\\/]*) sdir="$(srcdir)" ;; \
*) sdir=$(subdir)/$(srcdir) ;; \
esac; \
for i in $$list; do \
if test -f "$$i"; then \
echo "$(subdir)/$$i"; \
else \
echo "$$sdir/$$i"; \
fi; \
done >> $(top_builddir)/cscope.files
distclean-tags:
-rm -f TAGS ID GTAGS GRTAGS GSYMS GPATH tags
-rm -f cscope.out cscope.in.out cscope.po.out cscope.files
distdir: $(DISTFILES)
$(am__remove_distdir)
test -d "$(distdir)" || mkdir "$(distdir)"
@srcdirstrip=`echo "$(srcdir)" | sed 's/[].[^$$\\*]/\\\\&/g'`; \
topsrcdirstrip=`echo "$(top_srcdir)" | sed 's/[].[^$$\\*]/\\\\&/g'`; \
list='$(DISTFILES)'; \
dist_files=`for file in $$list; do echo $$file; done | \
sed -e "s|^$$srcdirstrip/||;t" \
-e "s|^$$topsrcdirstrip/|$(top_builddir)/|;t"`; \
case $$dist_files in \
*/*) $(MKDIR_P) `echo "$$dist_files" | \
sed '/\//!d;s|^|$(distdir)/|;s,/[^/]*$$,,' | \
sort -u` ;; \
esac; \
for file in $$dist_files; do \
if test -f $$file || test -d $$file; then d=.; else d=$(srcdir); fi; \
if test -d $$d/$$file; then \
dir=`echo "/$$file" | sed -e 's,/[^/]*$$,,'`; \
if test -d "$(distdir)/$$file"; then \
find "$(distdir)/$$file" -type d ! -perm -700 -exec chmod u+rwx {} \;; \
fi; \
if test -d $(srcdir)/$$file && test $$d != $(srcdir); then \
cp -fpR $(srcdir)/$$file "$(distdir)$$dir" || exit 1; \
find "$(distdir)/$$file" -type d ! -perm -700 -exec chmod u+rwx {} \;; \
fi; \
cp -fpR $$d/$$file "$(distdir)$$dir" || exit 1; \
else \
test -f "$(distdir)/$$file" \
|| cp -p $$d/$$file "$(distdir)/$$file" \
|| exit 1; \
fi; \
done
@list='$(DIST_SUBDIRS)'; for subdir in $$list; do \
if test "$$subdir" = .; then :; else \
$(am__make_dryrun) \
|| test -d "$(distdir)/$$subdir" \
|| $(MKDIR_P) "$(distdir)/$$subdir" \
|| exit 1; \
dir1=$$subdir; dir2="$(distdir)/$$subdir"; \
$(am__relativize); \
new_distdir=$$reldir; \
dir1=$$subdir; dir2="$(top_distdir)"; \
$(am__relativize); \
new_top_distdir=$$reldir; \
echo " (cd $$subdir && $(MAKE) $(AM_MAKEFLAGS) top_distdir="$$new_top_distdir" distdir="$$new_distdir" \\"; \
echo " am__remove_distdir=: am__skip_length_check=: am__skip_mode_fix=: distdir)"; \
($(am__cd) $$subdir && \
$(MAKE) $(AM_MAKEFLAGS) \
top_distdir="$$new_top_distdir" \
distdir="$$new_distdir" \
am__remove_distdir=: \
am__skip_length_check=: \
am__skip_mode_fix=: \
distdir) \
|| exit 1; \
fi; \
done
-test -n "$(am__skip_mode_fix)" \
|| find "$(distdir)" -type d ! -perm -755 \
-exec chmod u+rwx,go+rx {} \; -o \
! -type d ! -perm -444 -links 1 -exec chmod a+r {} \; -o \
! -type d ! -perm -400 -exec chmod a+r {} \; -o \
! -type d ! -perm -444 -exec $(install_sh) -c -m a+r {} {} \; \
|| chmod -R a+r "$(distdir)"
dist-gzip: distdir
tardir=$(distdir) && $(am__tar) | GZIP=$(GZIP_ENV) gzip -c >$(distdir).tar.gz
$(am__post_remove_distdir)
dist-bzip2: distdir
tardir=$(distdir) && $(am__tar) | BZIP2=$${BZIP2--9} bzip2 -c >$(distdir).tar.bz2
$(am__post_remove_distdir)
dist-lzip: distdir
tardir=$(distdir) && $(am__tar) | lzip -c $${LZIP_OPT--9} >$(distdir).tar.lz
$(am__post_remove_distdir)
dist-xz: distdir
tardir=$(distdir) && $(am__tar) | XZ_OPT=$${XZ_OPT--e} xz -c >$(distdir).tar.xz
$(am__post_remove_distdir)
dist-tarZ: distdir
tardir=$(distdir) && $(am__tar) | compress -c >$(distdir).tar.Z
$(am__post_remove_distdir)
dist-shar: distdir
shar $(distdir) | GZIP=$(GZIP_ENV) gzip -c >$(distdir).shar.gz
$(am__post_remove_distdir)
dist-zip: distdir
-rm -f $(distdir).zip
zip -rq $(distdir).zip $(distdir)
$(am__post_remove_distdir)
dist dist-all:
$(MAKE) $(AM_MAKEFLAGS) $(DIST_TARGETS) am__post_remove_distdir='@:'
$(am__post_remove_distdir)
# This target untars the dist file and tries a VPATH configuration. Then
# it guarantees that the distribution is self-contained by making another
# tarfile.
distcheck: dist
case '$(DIST_ARCHIVES)' in \
*.tar.gz*) \
GZIP=$(GZIP_ENV) gzip -dc $(distdir).tar.gz | $(am__untar) ;;\
*.tar.bz2*) \
bzip2 -dc $(distdir).tar.bz2 | $(am__untar) ;;\
*.tar.lz*) \
lzip -dc $(distdir).tar.lz | $(am__untar) ;;\
*.tar.xz*) \
xz -dc $(distdir).tar.xz | $(am__untar) ;;\
*.tar.Z*) \
uncompress -c $(distdir).tar.Z | $(am__untar) ;;\
*.shar.gz*) \
GZIP=$(GZIP_ENV) gzip -dc $(distdir).shar.gz | unshar ;;\
*.zip*) \
unzip $(distdir).zip ;;\
esac
chmod -R a-w $(distdir); chmod u+w $(distdir)
mkdir $(distdir)/_build
mkdir $(distdir)/_inst
chmod a-w $(distdir)
test -d $(distdir)/_build || exit 0; \
dc_install_base=`$(am__cd) $(distdir)/_inst && pwd | sed -e 's,^[^:\\/]:[\\/],/,'` \
&& dc_destdir="$${TMPDIR-/tmp}/am-dc-$$$$/" \
&& am__cwd=`pwd` \
&& $(am__cd) $(distdir)/_build \
&& ../configure --srcdir=.. --prefix="$$dc_install_base" \
$(AM_DISTCHECK_CONFIGURE_FLAGS) \
$(DISTCHECK_CONFIGURE_FLAGS) \
&& $(MAKE) $(AM_MAKEFLAGS) \
&& $(MAKE) $(AM_MAKEFLAGS) dvi \
&& $(MAKE) $(AM_MAKEFLAGS) check \
&& $(MAKE) $(AM_MAKEFLAGS) install \
&& $(MAKE) $(AM_MAKEFLAGS) installcheck \
&& $(MAKE) $(AM_MAKEFLAGS) uninstall \
&& $(MAKE) $(AM_MAKEFLAGS) distuninstallcheck_dir="$$dc_install_base" \
distuninstallcheck \
&& chmod -R a-w "$$dc_install_base" \
&& ({ \
(cd ../.. && umask 077 && mkdir "$$dc_destdir") \
&& $(MAKE) $(AM_MAKEFLAGS) DESTDIR="$$dc_destdir" install \
&& $(MAKE) $(AM_MAKEFLAGS) DESTDIR="$$dc_destdir" uninstall \
&& $(MAKE) $(AM_MAKEFLAGS) DESTDIR="$$dc_destdir" \
distuninstallcheck_dir="$$dc_destdir" distuninstallcheck; \
} || { rm -rf "$$dc_destdir"; exit 1; }) \
&& rm -rf "$$dc_destdir" \
&& $(MAKE) $(AM_MAKEFLAGS) dist \
&& rm -rf $(DIST_ARCHIVES) \
&& $(MAKE) $(AM_MAKEFLAGS) distcleancheck \
&& cd "$$am__cwd" \
|| exit 1
$(am__post_remove_distdir)
@(echo "$(distdir) archives ready for distribution: "; \
list='$(DIST_ARCHIVES)'; for i in $$list; do echo $$i; done) | \
sed -e 1h -e 1s/./=/g -e 1p -e 1x -e '$$p' -e '$$x'
distuninstallcheck:
@test -n '$(distuninstallcheck_dir)' || { \
echo 'ERROR: trying to run $@ with an empty' \
'$$(distuninstallcheck_dir)' >&2; \
exit 1; \
}; \
$(am__cd) '$(distuninstallcheck_dir)' || { \
echo 'ERROR: cannot chdir into $(distuninstallcheck_dir)' >&2; \
exit 1; \
}; \
test `$(am__distuninstallcheck_listfiles) | wc -l` -eq 0 \
|| { echo "ERROR: files left after uninstall:" ; \
if test -n "$(DESTDIR)"; then \
echo " (check DESTDIR support)"; \
fi ; \
$(distuninstallcheck_listfiles) ; \
exit 1; } >&2
distcleancheck: distclean
@if test '$(srcdir)' = . ; then \
echo "ERROR: distcleancheck can only run from a VPATH build" ; \
exit 1 ; \
fi
@test `$(distcleancheck_listfiles) | wc -l` -eq 0 \
|| { echo "ERROR: files left in build directory after distclean:" ; \
$(distcleancheck_listfiles) ; \
exit 1; } >&2
check-am: all-am
check: check-recursive
all-am: Makefile config.h
installdirs: installdirs-recursive
installdirs-am:
install: install-recursive
install-exec: install-exec-recursive
install-data: install-data-recursive
uninstall: uninstall-recursive
install-am: all-am
@$(MAKE) $(AM_MAKEFLAGS) install-exec-am install-data-am
installcheck: installcheck-recursive
install-strip:
if test -z '$(STRIP)'; then \
$(MAKE) $(AM_MAKEFLAGS) INSTALL_PROGRAM="$(INSTALL_STRIP_PROGRAM)" \
install_sh_PROGRAM="$(INSTALL_STRIP_PROGRAM)" INSTALL_STRIP_FLAG=-s \
install; \
else \
$(MAKE) $(AM_MAKEFLAGS) INSTALL_PROGRAM="$(INSTALL_STRIP_PROGRAM)" \
install_sh_PROGRAM="$(INSTALL_STRIP_PROGRAM)" INSTALL_STRIP_FLAG=-s \
"INSTALL_PROGRAM_ENV=STRIPPROG='$(STRIP)'" install; \
fi
mostlyclean-generic:
clean-generic:
distclean-generic:
-test -z "$(CONFIG_CLEAN_FILES)" || rm -f $(CONFIG_CLEAN_FILES)
-test . = "$(srcdir)" || test -z "$(CONFIG_CLEAN_VPATH_FILES)" || rm -f $(CONFIG_CLEAN_VPATH_FILES)
maintainer-clean-generic:
@echo "This command is intended for maintainers to use"
@echo "it deletes files that may require special tools to rebuild."
clean: clean-recursive
clean-am: clean-generic clean-libtool mostlyclean-am
distclean: distclean-recursive
-rm -f $(am__CONFIG_DISTCLEAN_FILES)
-rm -f Makefile
distclean-am: clean-am distclean-generic distclean-hdr \
distclean-libtool distclean-tags
dvi: dvi-recursive
dvi-am:
html: html-recursive
html-am:
info: info-recursive
info-am:
install-data-am:
install-dvi: install-dvi-recursive
install-dvi-am:
install-exec-am:
install-html: install-html-recursive
install-html-am:
install-info: install-info-recursive
install-info-am:
install-man:
install-pdf: install-pdf-recursive
install-pdf-am:
install-ps: install-ps-recursive
install-ps-am:
installcheck-am:
maintainer-clean: maintainer-clean-recursive
-rm -f $(am__CONFIG_DISTCLEAN_FILES)
-rm -rf $(top_srcdir)/autom4te.cache
-rm -f Makefile
maintainer-clean-am: distclean-am maintainer-clean-generic
mostlyclean: mostlyclean-recursive
mostlyclean-am: mostlyclean-generic mostlyclean-libtool
pdf: pdf-recursive
pdf-am:
ps: ps-recursive
ps-am:
uninstall-am:
.MAKE: $(RECURSIVE_CLEAN_TARGETS) $(RECURSIVE_TARGETS) all \
cscopelist-recursive ctags-recursive install-am install-strip \
tags-recursive
.PHONY: $(RECURSIVE_CLEAN_TARGETS) $(RECURSIVE_TARGETS) CTAGS GTAGS \
all all-am am--refresh check check-am clean clean-cscope \
clean-generic clean-libtool cscope cscopelist \
cscopelist-recursive ctags ctags-recursive dist dist-all \
dist-bzip2 dist-gzip dist-lzip dist-shar dist-tarZ dist-xz \
dist-zip distcheck distclean distclean-generic distclean-hdr \
distclean-libtool distclean-tags distcleancheck distdir \
distuninstallcheck dvi dvi-am html html-am info info-am \
install install-am install-data install-data-am install-dvi \
install-dvi-am install-exec install-exec-am install-html \
install-html-am install-info install-info-am install-man \
install-pdf install-pdf-am install-ps install-ps-am \
install-strip installcheck installcheck-am installdirs \
installdirs-am maintainer-clean maintainer-clean-generic \
mostlyclean mostlyclean-generic mostlyclean-libtool pdf pdf-am \
ps ps-am tags tags-recursive uninstall uninstall-am
# Tell versions [3.59,3.63) of GNU make to not export all variables.
# Otherwise a system limit (for SysV at least) may be exceeded.
.NOEXPORT:
|
orochi/ext4magic
|
Makefile.in
|
in
|
mit
| 24,669 |
ext4magic 0.3.2 some minor bugs fixed
support for matlab5 files in magic-function
interface for furter use of a privat magic pattern file
(see http://ext4magic.sourceforge.net/magic-pattern-interface.html)
ext4magic is moved to http://sourceforge.net/projects/ext4magic/
ext4magic 0.3.1 new : support for ecryptfs by Magic-function
ext4magic 0.3.0 switch to BETA status
Some minor bugs been fixed. compiler warnings eliminated
English documentation translation is started
http://openfacts2.berlios.de/wikien/index.php/BerliosProject:Ext4magic
ext4magic 0.3.0 pv2 A new recover sub-step. Inode found in partially overwritten areas of the
journal can now also recovers. It is impossible to identify the inode number,
the file name and the time of deletion. These files are also restored to the
MAGIC-2 directory.
ext4magic can now also be compiled with libext2fs-1.42.x
but ext4 file systems >= 16 TByte do not work.
Some errors in file system > 8 TByte fixed.
ext4magic 0.3.0 pv1 New features for restoring Gimp images, many of document formats and
enhancements to recover text-based files.
ext4magic 0.3.0 pv0 Contains the first experimental version of the magic function for ext4
The magic function for ext4 can restore deleted files which
consisted of more than 4 extents (includes extra large and sparse files)
and files that are unfragmented. (most small and medium-sized files
and many large files, are often unfragmented)
This version can not recover files with 2 to 4 extents. But it's prepared and
will be possible in later versions for some file types.
Depending of the file type, different methods for recovery are used.
For most file types specific functions have been developed.
Supported the most important file formats for:
file archivs, compressed files, a lot off video-, audio- and picture formats,
ELF-binary format, Mail, PDF, a lot of text-based file formats, and much more.
Tested are more than 50 file formats and if available, also possible
variants and subtypes.
Possible, this version will work well for you, possible, it does not work.
This version includes a lot of new and experimental code.
The magic-function for ext3 is switched off in this version. For ext3 use
ext4magic 0.2.3
ext4magic 0.2.3 This version is separated from the main development branch.
Version 0.2.3 contains the old version of Magic function only for ext3
with some new features and bug fixes.
ext4magic 0.2.2
Expansion of the Expert-Mode.
With the new "-D" option it is possible to recover data from severely damaged file systems.
For example: the file system has been partially overwritten. But large parts of the file
system are not destroyed.
improved evaluation of directory data blocks eliminate some errors in directories with HTREE
thus, a better file name resolution and fewer files with incorrect names.
ext4magic 0.2.1 Optional Expert-Mode with the following new options "-s blocksize" ; "-n blockcount" ; "-c"
This makes it possible to open front corrupted file systems.
Modified flow control allows automatic a recover-all ("-r" or "-R" on the entire file system)
This enables the restore of deleted inode even if the directory inode is not found in journal.
The function uses the first two stages of the magic functions (ext3/ext4)
ext4magic 0.2.0 The Magic features for ext3 are complete.
Support for most files types of a typical Linux system and lots of multimedia files.
ext4magic 0.2.0 pv2 The magic functions have been adjusted for libmagic (file-5.04)
Many bugs have been fixed and added support for many file types
ext4magic 0.2.0 pv0 First test version of ext3 magic-scan-functions. This is a novel multi-stage recovery.
There are several recover methods used in succession. All functions use journal entries.
Furthermore, the library libmagic and coded file properties are implemented.
This automatic functions are specifically designed to recover deleted files immediate
after a recursiv delete command.
For this purpose two new options are available.
"-M" if the entire file system is deleted
"-m" if only parts of the file system is deleted
ext4magic 0.1.4 Support for user-modifiable file attributes.
ext4magic can now restore the ext2/3/4 File attributes.
It is disabled by default. To activate, you must add the option --enable-file-attr
when running configure.
ext4magic 0.1.3 there is now a german documentation
http://openfacts2.berlios.de/wikide/index.php/BerliosProject:Ext4magic
We start with the BETA testing and try to find some german users for the
tests of general use, the elementary functions and the documentation.
The aim is to check the stability and to optimize the german documentation
for a translation.
|
orochi/ext4magic
|
NEWS
|
none
|
mit
| 4,945 |
README for ext4magic V-0.3.x
=============================
1.0 Accidentally deleted files
1.1 How does this work
2.0 How you can use ext4magic
3.0 A few words about the new magic functions
3.1 Instructions to experimenting with magic function features
4.0 The Expert-Options
5.0 Overview of the options for ext4magic
6.0 Some common problems
7.0 Known Bugs
----------------------------------------------------------------------------------
1.0 Accidentally deleted files ?
======================================
Now, you can try it with ext4magic - probably you will find many - but not all
deleted files. ext4magic will not change the data on your partition.
It write copies of found deleted files to a directory on a different file system.
For that you need enough disk space on a ext4 or ext3 Linux file system.
This tool requires a working file system for the most functions. Special functions
of the optional Expert-Mode also allow restore of corrupted file systems.
If the partition table damaged or the file system meta data are already been
completely overwritten, ext4magic can not help. Then you should use a
different recover tool.
In addition to the recovery functions a lot of other functions are included.
These functions allow a deep look into the file system and can also help to find
data and files which are not automatically recover.
--------------------------------------------------------------------------------
1.1 How does this work ?
===========================
A file in an ext3/4 filesystem consists of several parts. The name of the file
and a Inode nummer are in data blocks of the directory. This Inode nummer is
a serial number for a data structure in a tabel of these structures.
These structures are called Inode and are the most important part of the file.
In the Inode are included all properties of the file and the reference to
there data blocks. In the data blocks store the data of the file. In example,
all the bytes for a jpg image
During the deletion of a file, be completely destroyed all refer to the data
blocks in inode data. The content of data blocks are not destroyed, but the
block now marked as free.
If you write new files, this free data blocks can reused for new files.
The old inode is also marked as free and is also ready for reuse.
Name and Inode number in the directory block are only marked deleted,
they are skipped for now when searching for file names in this directory.
Deleted files can not re-assembled, the Inode data are unsuitable for
this purpose. Exactly what the developers say.
But there is the file system journal. Journaling ensures the integrity of the
filesystem by keeping a log of the ongoing disk changes.
After deleting a file, there you found a copy of the data block in which the
deleted Inode is included. Well, this copy is not usable for a recover.
The Inode is deleted, but perhaps there is also still an even older copy of
the same data block.
If you find such an older block in the Journal, then you can find there the old
intact Inode copy of the deleted file. And with such an old Inode, you can now
undelete the file. You find in the Inode the properties and all refer to the
data blocks. In the directory you find the old file name. With a little luck,
the data blocks are not reused.
This is the principle of ext4magic to recover from inode copies.
In the Journal there are not only inode copies. There are also copies of directory
data blocks. They are rarely there, but allow a look in the history of some directorys.
ext4magic work with these copies, if they exist, and so ext4magic can recover also
moved files or directories. You will also find tables with the block and inode
allocation. This data are used in the magic functions for controlling the file carving.
The functions of the file carving matched exactly to the respective properties
of the file system types and these functions included into a multi-stage recover process.
This feature currently usable for ext3 and is in the development for ext4.
----------------------------------------------------------------------------------
2.0 How you can use ext4magic ?
==================================
You need, of course, the file system from which you want try to recover deleted
files. You can use this file system directly, but the safest way is to create an
image of the partition.
Important, for this, the filesystem must umounted or readony mounted.
For example: the filesystem is on /dev/sda1
# dd if=/dev/sda1 of=/path/to/image_name bs=4096
With the shell, you change to a directory, where enough free space to write
the data recovers. You need also some options, but that later.
You can use ext4magic:
# ext4magic /path/to/image_name options
Not enough free space for a imagefile of the entire filesytem ?
-------------------------------------------------------------
Do not mount the partition with the deleted files and use it directly
# ext4magic /dev/sda1 options
You can not restart the computer or umount the partition ?
---------------------------------------------------------
Attempts to mount the partition readonly. The best way try to "umount" and then
"mount -o ro /dev/sda1" . If this is noch posible? try the following:
# mount -o remount,ro,noload /dev/sda1
if the partition is now mounted readonly, use also
# ext4magic /dev/sda1 options
It is impossible to mount readonly ?
------------------------------------
ext4magic still has a solution, but highly experimental. Please use only in
exceptional cases. Never use the journal on a not read-write mounted partition.
ext4magic read over the filesystem buffer from journal but the kernel write
unbuffered to journal. This can cause unpredictable errors during the recover
In this case the first read of the journal is often ok, but all subsequent reads can
read wrong data blocks from journal. So long the journal file is buffered, you read
wrong data blocks at the moment of the first read. The file system is operating
normally without errors, journal data on the disk are ok. But ext4magic read from
cache and not from the disk. So ext4magic reads wrong blocks from the cached Journal.
Workaround : ext4magic supports external journal.
You can create a copy of the filesystem journal with the "debug2fs" command.
Use this copy as external Journal for the mounted file system.
But, if mounted readwrite, here also only the first backup will work good,
after read the journal by debug2fs, the journal is also buffered and the next
read by debug2fs results also a bad journal copy.
# debug2fs -R "dump <8> /path/to/journalbackup" /dev/sda1
you can use this copy of journal
# ext4magic /dev/sda1 -j /path/to/journalbackup options
ext4magic then only read journal data from this journal backup.
Warning: This procedure is tested, it works, but please be very careful
with this feature. Remember, for ext4magic the file system is frozen at the time at
which the journal copy created. Any subsequent changes will not recognize by ext4magic.
This works only correct for a limited time if you continue to write into the file system.
--------------------------------------------------------------------------------------------------
3.0 A few words about the new magic functions ( since version 0.2.0)
======================================================================
These functions are designed to make undo of recursive deletes. This also works very well
if the files have been deleted by a recursive move or deleted by rsync. But in this case, you must set time options.
The magic function is a multi-level recover
and also restore files if no old journal copies can be found for this file.
1. recover files of the file system tree with the help of old inode copies.
2. recover all other inode copies which were not found in first stage.
3. recover the remaining data blocks, using a file carving function (we say magic function)
These magic functions are still under development, the support depends on the ext4magic version
Version 0.2.x only ext3
Version 0.3.x only ext4
Versions >= 0.4.x will support ext3 and ext4
After an accidental deletion: prevent all writing into this file system and if possible also
prevent reading of this file system. Also reading overwrites old journal data
which are needed for the restore.
Umount the file system, and use ext4magic before you mount the file system again,
or create a copy of the file system and use this for the recover.
Perform no file system check on this file system before.
The magic functions are very user friendly because very few command options are required.
If the entire delete operation has only process less than 5 minutes, (e.g. rm -rf ) no time options will need.
In the case that the deletion process has process a long time, or were the files deleted by a move command,
the exact time of the beginning of the erase operation must be specified.
Extensive testing has confirmed that magic-scan-functions are now stable with libmagic.so >= version 5.04.
Good support exists for: many text file types, a lot of image formats,
often-used video and audio file types, Office documents,
PDF, RAR, TAR, CPIO, BZ2, ZIP, GZIP, 7Z ...
Many other file types are also found and restored with default function, but without examining
the contents of the files. This works more or less.
Problems still exist with some multimedia formats and some documents. Not every file type
can be restored only based on head and foot patterns. Some types of multimedia streams, splited or
truncated files are hard to recover. We are working hard on this problem, and in newer versions is the support for these file types are much better.
The recovery of CD/DVD images and other file system containers is also problematic. This can only work
in file systems with 4KB block size.
on ext3 very large files if not deleted in one step, can not be restored with this function. (Bug:#017607)
Of course, you can only find files when the "file" command recognize this file type. It is theoretically
possible to enable the restore of unknown file types by an entry in the configuration file to "magic".
Some files are one (or few) byte too short. These are final zero byte.
Most of these files can be repaired by appending zeros.
The following command illustrates how attach two zero byte to a file.
#echo -en "\0\0" >> file
Some files are one or more bytes to long. These are often zero byte at the end of the restored file.
You can see this at the end of a file. "hexdump-C file | tail "
These files can be opened usually normal, possibly with a warning. Only a few programs block the
processing of such files. Here is an example, how this can be fixed (xz compressed file)
# ls -l test.xz
-rw-r--r-- 1 rob users 1005 4. Dez 12:54 test.xz
# xz -t test.xz
xz: test.xz: Compressed data is corrupt
# xz -d test.xz
xz: test.xz: Compressed data is corrupt
# dd if=test.xz of=test_.xz bs=1 count=1004
1004+0 Datensätze ein
1004+0 Datensätze aus
1004 Bytes (1,0 kB) kopiert, 0,0164605 s, 61,0 kB/s
# xz -t test_.xz
# xz -d test_.xz
The magic functions works slowly, but very efficient and can find some files
that other tools can not recover. For very large file systems first try other tools.
In difficult conditions ext4magic could require days or weeks to recover all the data.
Newer versions will work much faster and much more accurate.
ext4magic can also find very long files when the data are fragmented in the
file system. Others file carving tools find here often no complete files, or recover data trash.
Because of the previously running recover stages, the hit rate of this function is often very good.
But, at very high fragmentation the chances are low for a successful recovery for many files.
In real file systems the magic function find also unfortunately some very old files.
The idea, to prevent this by using the metadata from the journal, is definitely good, but,
in a real file system it works only limited. By test file systems it works very well, but in a real
file system journal you find not always enough of these metadata to prevent the recover of all very old files.
--------------------------------------------------------------------
3.1 Instructions to experimenting with magic function features
=================================================================
Use no file system specially created for this purpose.
Why?
If you create a test file system, it is likely that all inode copies are included
in the Journal. The first stage can restore all files, and you'll never see the
magic functions in the third stage.
Better is the following:
Use an existing filesystem. The last hours should no run a global "find" or a backup tool
in this file system. That would write to many inode copies and to be easy to recover.
umount this file system, and create a 1-to-1 copy of the file system.
Now you can test with that copy.
mount the file system copy and delete recursiv all or many files. Then umount the file system copy.
test ext4magic with the deleted copy.
You need free space for writing the recovered files.
Assuming, the copy is "/dev/sdb1" and you have enough free
space at "/home/test/"
# ext4magic /dev/sdb1 -d /home/test/RECOVER -M
if you have deleted all files.
or
# ext4magic /dev/sdb1 -d /home/test/RECOVER -m
if not all files were deleted.
It will automatically search for the time of the last deletion. (only if the delete process less
then 5 minutes. If the deletion process worked a very long time, you must get the exact start time
of the deletion by the option "-a TIME".)
And with a little delay should start the recover. You can now only wait. Depending on the
number of deleted files it can take a long time. Then you can compare the files with
the original file system.
--------------------------------------------------------------------------------------------
4.0 The Expert-Options
========================
These options are not activated by default. To enable it, compile as following
make clean
./configure --enable-expert-mode
make
sudo make install
options "-s BLOCKSIZE" and "-n BLOCKNUMBER" allow access to the backup superblocks.
option "-c" forces the restore of a damaged journal inode.
option "-D" trying a restore of files from a badly damaged file system.
In the combination of all these options, you can try a file system restore if the superblock broken,
and the beginning of the file system is corrupted or overwritten.
Repair with e2fsck is often possible, but risky for large damage, ext4magic here often has better
chances of success. But, this can only work before a repair was attempted with e2fsck.
In the comparison the two commands:
# repair an ext3 file systems with broken superblock
fsck.ext3 -B 4096 -b 32768 -y -f /dev/sda1
# ext4magic file system restore, write to /tmp/recover
ext4magic /dev/sda1 -s 4096 -n 32768 -c -D -d /tmp/recover
To determine the correct options for ext4magic, you can use a script.
_________________________________________________________________________
#/bin/bash
# Help-Script for ext4magic (needed is dump2fs >= 1.41.9)
# to identify options for the backup superblocks
# to restore of a partially damaged filesystem with ext4magic
# Autor robi6@users.sf.net (Version 1.1 vom 03.06.2011)
if [ -b "$1" -o -f "$1" ]
then
typeset -i BLK BLK_SZ GROUP
for BLK_SZ in 1024 2048 4096
do
for GROUP in 1 3 5 7 9 25 27 49 81 125 243 343 729
do
BLK="$BLK_SZ"*8*"$GROUP"
if [ $BLK_SZ -eq 1024 ]
then BLK="$BLK"+1
fi
dumpe2fs -h -o blocksize="$BLK_SZ" -o superblock="$BLK" "$1" 2>/dev/null | grep UUID &>/dev/null && echo "ext4magic "$1" -s $BLK_SZ -n $BLK -c -D"
done
done
else
echo "usage : $0 <device>"
fi
#--------------- END ----------------
__________________________________________________________________________
Use the script as follows:
./Help_Script <device>
and use one of the displayed possible command lines for the restore
-------------------------------------------------------------------------------------------
5.0 Overview of the options for ext4magic
===========================================
ext4magic has a lot of options, here are just a small overview.
Detailed information take from the manpage.
One option must always be specified, the file system.
Information Options -S -J -H -T
---------------------------------
display of information about the superblock, the journal, the transactions from journal,
a simple time chart for showing deletions or changes in the file system
Selections -I -B -f
-----------------------
select the specific inode, blocks or file names for the information- and action options.
Time Options -a -b -t
------------------------
These are important control options. This determine the time window for searching journal data
and times in inode data.
File input and output options -d -i -j
---------------------------------------
This can be specified, the output directory, a input file list and an external journal file
Action Options -l -L -r -R -m -M
----------------------------------
For select of the various listing- and recover actions.
Expert Options -s -n -c -D
-------------------------
available only if enabled by configure
Allow access to damaged file systems, backup superblocks, ....
---------------------------------------------------------------------------------------------
6.0 Some common problems
===========================
Command not found
------------------
ext4magic is installed to /usr/local/sbin/
This directory is only included in the PATH if you use root as a login shell.
For a full root environment use "su -l" for the user change.
Or use the full path to the binary ext4magic.
Manpage not found
-----------------
The manpage is installed under /usr/local/*/man/man8/
Check if the MANPATH variable include the following directories.
/usr/local/man /usr/local/share/man
ext4magic nothing works
-----------------------
two possible causes:
- either you are not root
- or the time options are not set correctly. Only the magical functions automatically search
for the best time window, all other options use default time values. (See manpage)
----------------------------------------------------------------------------------------------
7.0 Known Bugs
libext2fs-1.42 has a small bug, it crashed ext4magic. (see e2fstools BUG #3451486)
file-5.05 libmagic is stable in ext4magic, but the magic-function produce on some
video- and auto-formats many small erroneous files
file-5.17 libmagic is not stable enough for ext4magic and often produce segfaults
Only on big endian environments, there are some incorrect outputs of inode times, and missing of
deleted directory entries. (BUG #017304 #017305)
These errors occur only if the journal is not read and so only called the functions of libext2fs for
printout of inode and directory. All journal options and the file restoring are not affected.
The error is not within ext4magic and can not be compensated in ext4magic. This would be patched
in libext2fs. The error is very rare and not significant. If anyone needs a patch for this,
no problem, within ext4magic the problem is solved. It is also possible to write an unofficial patch
for libext2fs. I just think that nobody will really need it. Otherwise, send a request to the ext4magic
mailing list.
-------------------------------------------------------------------------------------------------
|
orochi/ext4magic
|
README
|
none
|
mit
| 19,824 |
TODO over of the next year ;-)
- English documentation
we working on it, but we need help !!!!!!!
the wikisite from Berlios are outsourced to
http://ext4magic.sourceforge.net/ext4magic_en.html
Current stat 09.2014: does not look nice, but is informative
- the development in the file-project has negative implications for the quality of the magic function
file-5.04 ---> file-5.19 tests reached a negative recovery result of 5% and more
ext4magic need a own privat magic database in the future
the interface is integrated by ext4magic-0.3.2
for first experiments http://ext4magic.sourceforge.net/magic-pattern-interface.html
Current stat 09.2014: open
- the new Magic-function for ext3
old 0.2.x function is very slow and inaccurate
and is not compatible with the Magic-functions of the ext4 in 0.3.x
a support for both file systems is complex and expensive
Current stat 09.2014: postpone
- better support for source code and other text files
"file" can not detect the text file type if a long comment at begin of the file
therefore the Magic-function recovers not all
shell example : for a possibility solution approach
# file -i ext4magic.c
ext4magic.c: text/plain; charset=us-ascii
# sed '1,/^$/d' ext4magic.c | file -i -
/dev/stdin: text/x-c; charset=us-ascii
Current stat 09.2014: new libmagic version eliminated the problem.
Changes within ext4magic therefore, not required
- ext4 : with the Magic-function it should be possible to recover also some file types
if the deleted file has existed with 2 to 4 extents
the conditions and preparations are already included
the possible individual extents are already collected in the database
a function is needed to find out and check the correct order
Current stat 09.2014: open
Currently known issues
- on big-endian the crtime and deleted directory entry not correct if use the
real libfunction for read the inode.
- The modified version to read the journal inode works. BUG:#017304 ; #017304
- libmagic file-5.05 crushed some video/audio formats to postscript trash
- libmagic file-5.17 many segfaults, not usable for the magic-function of ext4magic
|
orochi/ext4magic
|
TODO
|
none
|
mit
| 2,167 |
# generated automatically by aclocal 1.12.1 -*- Autoconf -*-
# Copyright (C) 1996-2012 Free Software Foundation, Inc.
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY, to the extent permitted by law; without
# even the implied warranty of MERCHANTABILITY or FITNESS FOR A
# PARTICULAR PURPOSE.
m4_ifndef([AC_AUTOCONF_VERSION],
[m4_copy([m4_PACKAGE_VERSION], [AC_AUTOCONF_VERSION])])dnl
m4_if(m4_defn([AC_AUTOCONF_VERSION]), [2.69],,
[m4_warning([this file was generated for autoconf 2.69.
You have another version of autoconf. It may work, but is not guaranteed to.
If you have problems, you may need to regenerate the build system entirely.
To do so, use the procedure documented by the package, typically 'autoreconf'.])])
# libtool.m4 - Configure libtool for the host system. -*-Autoconf-*-
#
# Copyright (C) 1996, 1997, 1998, 1999, 2000, 2001, 2003, 2004, 2005,
# 2006, 2007, 2008, 2009, 2010, 2011 Free Software
# Foundation, Inc.
# Written by Gordon Matzigkeit, 1996
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
m4_define([_LT_COPYING], [dnl
# Copyright (C) 1996, 1997, 1998, 1999, 2000, 2001, 2003, 2004, 2005,
# 2006, 2007, 2008, 2009, 2010, 2011 Free Software
# Foundation, Inc.
# Written by Gordon Matzigkeit, 1996
#
# This file is part of GNU Libtool.
#
# GNU Libtool is free software; you can redistribute it and/or
# modify it under the terms of the GNU General Public License as
# published by the Free Software Foundation; either version 2 of
# the License, or (at your option) any later version.
#
# As a special exception to the GNU General Public License,
# if you distribute this file as part of a program or library that
# is built using GNU Libtool, you may include this file under the
# same distribution terms that you use for the rest of that program.
#
# GNU Libtool is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with GNU Libtool; see the file COPYING. If not, a copy
# can be downloaded from http://www.gnu.org/licenses/gpl.html, or
# obtained by writing to the Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
])
# serial 57 LT_INIT
# LT_PREREQ(VERSION)
# ------------------
# Complain and exit if this libtool version is less that VERSION.
m4_defun([LT_PREREQ],
[m4_if(m4_version_compare(m4_defn([LT_PACKAGE_VERSION]), [$1]), -1,
[m4_default([$3],
[m4_fatal([Libtool version $1 or higher is required],
63)])],
[$2])])
# _LT_CHECK_BUILDDIR
# ------------------
# Complain if the absolute build directory name contains unusual characters
m4_defun([_LT_CHECK_BUILDDIR],
[case `pwd` in
*\ * | *\ *)
AC_MSG_WARN([Libtool does not cope well with whitespace in `pwd`]) ;;
esac
])
# LT_INIT([OPTIONS])
# ------------------
AC_DEFUN([LT_INIT],
[AC_PREREQ([2.58])dnl We use AC_INCLUDES_DEFAULT
AC_REQUIRE([AC_CONFIG_AUX_DIR_DEFAULT])dnl
AC_BEFORE([$0], [LT_LANG])dnl
AC_BEFORE([$0], [LT_OUTPUT])dnl
AC_BEFORE([$0], [LTDL_INIT])dnl
m4_require([_LT_CHECK_BUILDDIR])dnl
dnl Autoconf doesn't catch unexpanded LT_ macros by default:
m4_pattern_forbid([^_?LT_[A-Z_]+$])dnl
m4_pattern_allow([^(_LT_EOF|LT_DLGLOBAL|LT_DLLAZY_OR_NOW|LT_MULTI_MODULE)$])dnl
dnl aclocal doesn't pull ltoptions.m4, ltsugar.m4, or ltversion.m4
dnl unless we require an AC_DEFUNed macro:
AC_REQUIRE([LTOPTIONS_VERSION])dnl
AC_REQUIRE([LTSUGAR_VERSION])dnl
AC_REQUIRE([LTVERSION_VERSION])dnl
AC_REQUIRE([LTOBSOLETE_VERSION])dnl
m4_require([_LT_PROG_LTMAIN])dnl
_LT_SHELL_INIT([SHELL=${CONFIG_SHELL-/bin/sh}])
dnl Parse OPTIONS
_LT_SET_OPTIONS([$0], [$1])
# This can be used to rebuild libtool when needed
LIBTOOL_DEPS="$ltmain"
# Always use our own libtool.
LIBTOOL='$(SHELL) $(top_builddir)/libtool'
AC_SUBST(LIBTOOL)dnl
_LT_SETUP
# Only expand once:
m4_define([LT_INIT])
])# LT_INIT
# Old names:
AU_ALIAS([AC_PROG_LIBTOOL], [LT_INIT])
AU_ALIAS([AM_PROG_LIBTOOL], [LT_INIT])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_PROG_LIBTOOL], [])
dnl AC_DEFUN([AM_PROG_LIBTOOL], [])
# _LT_CC_BASENAME(CC)
# -------------------
# Calculate cc_basename. Skip known compiler wrappers and cross-prefix.
m4_defun([_LT_CC_BASENAME],
[for cc_temp in $1""; do
case $cc_temp in
compile | *[[\\/]]compile | ccache | *[[\\/]]ccache ) ;;
distcc | *[[\\/]]distcc | purify | *[[\\/]]purify ) ;;
\-*) ;;
*) break;;
esac
done
cc_basename=`$ECHO "$cc_temp" | $SED "s%.*/%%; s%^$host_alias-%%"`
])
# _LT_FILEUTILS_DEFAULTS
# ----------------------
# It is okay to use these file commands and assume they have been set
# sensibly after `m4_require([_LT_FILEUTILS_DEFAULTS])'.
m4_defun([_LT_FILEUTILS_DEFAULTS],
[: ${CP="cp -f"}
: ${MV="mv -f"}
: ${RM="rm -f"}
])# _LT_FILEUTILS_DEFAULTS
# _LT_SETUP
# ---------
m4_defun([_LT_SETUP],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
AC_REQUIRE([AC_CANONICAL_BUILD])dnl
AC_REQUIRE([_LT_PREPARE_SED_QUOTE_VARS])dnl
AC_REQUIRE([_LT_PROG_ECHO_BACKSLASH])dnl
_LT_DECL([], [PATH_SEPARATOR], [1], [The PATH separator for the build system])dnl
dnl
_LT_DECL([], [host_alias], [0], [The host system])dnl
_LT_DECL([], [host], [0])dnl
_LT_DECL([], [host_os], [0])dnl
dnl
_LT_DECL([], [build_alias], [0], [The build system])dnl
_LT_DECL([], [build], [0])dnl
_LT_DECL([], [build_os], [0])dnl
dnl
AC_REQUIRE([AC_PROG_CC])dnl
AC_REQUIRE([LT_PATH_LD])dnl
AC_REQUIRE([LT_PATH_NM])dnl
dnl
AC_REQUIRE([AC_PROG_LN_S])dnl
test -z "$LN_S" && LN_S="ln -s"
_LT_DECL([], [LN_S], [1], [Whether we need soft or hard links])dnl
dnl
AC_REQUIRE([LT_CMD_MAX_LEN])dnl
_LT_DECL([objext], [ac_objext], [0], [Object file suffix (normally "o")])dnl
_LT_DECL([], [exeext], [0], [Executable file suffix (normally "")])dnl
dnl
m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_CHECK_SHELL_FEATURES])dnl
m4_require([_LT_PATH_CONVERSION_FUNCTIONS])dnl
m4_require([_LT_CMD_RELOAD])dnl
m4_require([_LT_CHECK_MAGIC_METHOD])dnl
m4_require([_LT_CHECK_SHAREDLIB_FROM_LINKLIB])dnl
m4_require([_LT_CMD_OLD_ARCHIVE])dnl
m4_require([_LT_CMD_GLOBAL_SYMBOLS])dnl
m4_require([_LT_WITH_SYSROOT])dnl
_LT_CONFIG_LIBTOOL_INIT([
# See if we are running on zsh, and set the options which allow our
# commands through without removal of \ escapes INIT.
if test -n "\${ZSH_VERSION+set}" ; then
setopt NO_GLOB_SUBST
fi
])
if test -n "${ZSH_VERSION+set}" ; then
setopt NO_GLOB_SUBST
fi
_LT_CHECK_OBJDIR
m4_require([_LT_TAG_COMPILER])dnl
case $host_os in
aix3*)
# AIX sometimes has problems with the GCC collect2 program. For some
# reason, if we set the COLLECT_NAMES environment variable, the problems
# vanish in a puff of smoke.
if test "X${COLLECT_NAMES+set}" != Xset; then
COLLECT_NAMES=
export COLLECT_NAMES
fi
;;
esac
# Global variables:
ofile=libtool
can_build_shared=yes
# All known linkers require a `.a' archive for static linking (except MSVC,
# which needs '.lib').
libext=a
with_gnu_ld="$lt_cv_prog_gnu_ld"
old_CC="$CC"
old_CFLAGS="$CFLAGS"
# Set sane defaults for various variables
test -z "$CC" && CC=cc
test -z "$LTCC" && LTCC=$CC
test -z "$LTCFLAGS" && LTCFLAGS=$CFLAGS
test -z "$LD" && LD=ld
test -z "$ac_objext" && ac_objext=o
_LT_CC_BASENAME([$compiler])
# Only perform the check for file, if the check method requires it
test -z "$MAGIC_CMD" && MAGIC_CMD=file
case $deplibs_check_method in
file_magic*)
if test "$file_magic_cmd" = '$MAGIC_CMD'; then
_LT_PATH_MAGIC
fi
;;
esac
# Use C for the default configuration in the libtool script
LT_SUPPORTED_TAG([CC])
_LT_LANG_C_CONFIG
_LT_LANG_DEFAULT_CONFIG
_LT_CONFIG_COMMANDS
])# _LT_SETUP
# _LT_PREPARE_SED_QUOTE_VARS
# --------------------------
# Define a few sed substitution that help us do robust quoting.
m4_defun([_LT_PREPARE_SED_QUOTE_VARS],
[# Backslashify metacharacters that are still active within
# double-quoted strings.
sed_quote_subst='s/\([["`$\\]]\)/\\\1/g'
# Same as above, but do not quote variable references.
double_quote_subst='s/\([["`\\]]\)/\\\1/g'
# Sed substitution to delay expansion of an escaped shell variable in a
# double_quote_subst'ed string.
delay_variable_subst='s/\\\\\\\\\\\$/\\\\\\$/g'
# Sed substitution to delay expansion of an escaped single quote.
delay_single_quote_subst='s/'\''/'\'\\\\\\\'\''/g'
# Sed substitution to avoid accidental globbing in evaled expressions
no_glob_subst='s/\*/\\\*/g'
])
# _LT_PROG_LTMAIN
# ---------------
# Note that this code is called both from `configure', and `config.status'
# now that we use AC_CONFIG_COMMANDS to generate libtool. Notably,
# `config.status' has no value for ac_aux_dir unless we are using Automake,
# so we pass a copy along to make sure it has a sensible value anyway.
m4_defun([_LT_PROG_LTMAIN],
[m4_ifdef([AC_REQUIRE_AUX_FILE], [AC_REQUIRE_AUX_FILE([ltmain.sh])])dnl
_LT_CONFIG_LIBTOOL_INIT([ac_aux_dir='$ac_aux_dir'])
ltmain="$ac_aux_dir/ltmain.sh"
])# _LT_PROG_LTMAIN
# So that we can recreate a full libtool script including additional
# tags, we accumulate the chunks of code to send to AC_CONFIG_COMMANDS
# in macros and then make a single call at the end using the `libtool'
# label.
# _LT_CONFIG_LIBTOOL_INIT([INIT-COMMANDS])
# ----------------------------------------
# Register INIT-COMMANDS to be passed to AC_CONFIG_COMMANDS later.
m4_define([_LT_CONFIG_LIBTOOL_INIT],
[m4_ifval([$1],
[m4_append([_LT_OUTPUT_LIBTOOL_INIT],
[$1
])])])
# Initialize.
m4_define([_LT_OUTPUT_LIBTOOL_INIT])
# _LT_CONFIG_LIBTOOL([COMMANDS])
# ------------------------------
# Register COMMANDS to be passed to AC_CONFIG_COMMANDS later.
m4_define([_LT_CONFIG_LIBTOOL],
[m4_ifval([$1],
[m4_append([_LT_OUTPUT_LIBTOOL_COMMANDS],
[$1
])])])
# Initialize.
m4_define([_LT_OUTPUT_LIBTOOL_COMMANDS])
# _LT_CONFIG_SAVE_COMMANDS([COMMANDS], [INIT_COMMANDS])
# -----------------------------------------------------
m4_defun([_LT_CONFIG_SAVE_COMMANDS],
[_LT_CONFIG_LIBTOOL([$1])
_LT_CONFIG_LIBTOOL_INIT([$2])
])
# _LT_FORMAT_COMMENT([COMMENT])
# -----------------------------
# Add leading comment marks to the start of each line, and a trailing
# full-stop to the whole comment if one is not present already.
m4_define([_LT_FORMAT_COMMENT],
[m4_ifval([$1], [
m4_bpatsubst([m4_bpatsubst([$1], [^ *], [# ])],
[['`$\]], [\\\&])]m4_bmatch([$1], [[!?.]$], [], [.])
)])
# _LT_DECL([CONFIGNAME], VARNAME, VALUE, [DESCRIPTION], [IS-TAGGED?])
# -------------------------------------------------------------------
# CONFIGNAME is the name given to the value in the libtool script.
# VARNAME is the (base) name used in the configure script.
# VALUE may be 0, 1 or 2 for a computed quote escaped value based on
# VARNAME. Any other value will be used directly.
m4_define([_LT_DECL],
[lt_if_append_uniq([lt_decl_varnames], [$2], [, ],
[lt_dict_add_subkey([lt_decl_dict], [$2], [libtool_name],
[m4_ifval([$1], [$1], [$2])])
lt_dict_add_subkey([lt_decl_dict], [$2], [value], [$3])
m4_ifval([$4],
[lt_dict_add_subkey([lt_decl_dict], [$2], [description], [$4])])
lt_dict_add_subkey([lt_decl_dict], [$2],
[tagged?], [m4_ifval([$5], [yes], [no])])])
])
# _LT_TAGDECL([CONFIGNAME], VARNAME, VALUE, [DESCRIPTION])
# --------------------------------------------------------
m4_define([_LT_TAGDECL], [_LT_DECL([$1], [$2], [$3], [$4], [yes])])
# lt_decl_tag_varnames([SEPARATOR], [VARNAME1...])
# ------------------------------------------------
m4_define([lt_decl_tag_varnames],
[_lt_decl_filter([tagged?], [yes], $@)])
# _lt_decl_filter(SUBKEY, VALUE, [SEPARATOR], [VARNAME1..])
# ---------------------------------------------------------
m4_define([_lt_decl_filter],
[m4_case([$#],
[0], [m4_fatal([$0: too few arguments: $#])],
[1], [m4_fatal([$0: too few arguments: $#: $1])],
[2], [lt_dict_filter([lt_decl_dict], [$1], [$2], [], lt_decl_varnames)],
[3], [lt_dict_filter([lt_decl_dict], [$1], [$2], [$3], lt_decl_varnames)],
[lt_dict_filter([lt_decl_dict], $@)])[]dnl
])
# lt_decl_quote_varnames([SEPARATOR], [VARNAME1...])
# --------------------------------------------------
m4_define([lt_decl_quote_varnames],
[_lt_decl_filter([value], [1], $@)])
# lt_decl_dquote_varnames([SEPARATOR], [VARNAME1...])
# ---------------------------------------------------
m4_define([lt_decl_dquote_varnames],
[_lt_decl_filter([value], [2], $@)])
# lt_decl_varnames_tagged([SEPARATOR], [VARNAME1...])
# ---------------------------------------------------
m4_define([lt_decl_varnames_tagged],
[m4_assert([$# <= 2])dnl
_$0(m4_quote(m4_default([$1], [[, ]])),
m4_ifval([$2], [[$2]], [m4_dquote(lt_decl_tag_varnames)]),
m4_split(m4_normalize(m4_quote(_LT_TAGS)), [ ]))])
m4_define([_lt_decl_varnames_tagged],
[m4_ifval([$3], [lt_combine([$1], [$2], [_], $3)])])
# lt_decl_all_varnames([SEPARATOR], [VARNAME1...])
# ------------------------------------------------
m4_define([lt_decl_all_varnames],
[_$0(m4_quote(m4_default([$1], [[, ]])),
m4_if([$2], [],
m4_quote(lt_decl_varnames),
m4_quote(m4_shift($@))))[]dnl
])
m4_define([_lt_decl_all_varnames],
[lt_join($@, lt_decl_varnames_tagged([$1],
lt_decl_tag_varnames([[, ]], m4_shift($@))))dnl
])
# _LT_CONFIG_STATUS_DECLARE([VARNAME])
# ------------------------------------
# Quote a variable value, and forward it to `config.status' so that its
# declaration there will have the same value as in `configure'. VARNAME
# must have a single quote delimited value for this to work.
m4_define([_LT_CONFIG_STATUS_DECLARE],
[$1='`$ECHO "$][$1" | $SED "$delay_single_quote_subst"`'])
# _LT_CONFIG_STATUS_DECLARATIONS
# ------------------------------
# We delimit libtool config variables with single quotes, so when
# we write them to config.status, we have to be sure to quote all
# embedded single quotes properly. In configure, this macro expands
# each variable declared with _LT_DECL (and _LT_TAGDECL) into:
#
# <var>='`$ECHO "$<var>" | $SED "$delay_single_quote_subst"`'
m4_defun([_LT_CONFIG_STATUS_DECLARATIONS],
[m4_foreach([_lt_var], m4_quote(lt_decl_all_varnames),
[m4_n([_LT_CONFIG_STATUS_DECLARE(_lt_var)])])])
# _LT_LIBTOOL_TAGS
# ----------------
# Output comment and list of tags supported by the script
m4_defun([_LT_LIBTOOL_TAGS],
[_LT_FORMAT_COMMENT([The names of the tagged configurations supported by this script])dnl
available_tags="_LT_TAGS"dnl
])
# _LT_LIBTOOL_DECLARE(VARNAME, [TAG])
# -----------------------------------
# Extract the dictionary values for VARNAME (optionally with TAG) and
# expand to a commented shell variable setting:
#
# # Some comment about what VAR is for.
# visible_name=$lt_internal_name
m4_define([_LT_LIBTOOL_DECLARE],
[_LT_FORMAT_COMMENT(m4_quote(lt_dict_fetch([lt_decl_dict], [$1],
[description])))[]dnl
m4_pushdef([_libtool_name],
m4_quote(lt_dict_fetch([lt_decl_dict], [$1], [libtool_name])))[]dnl
m4_case(m4_quote(lt_dict_fetch([lt_decl_dict], [$1], [value])),
[0], [_libtool_name=[$]$1],
[1], [_libtool_name=$lt_[]$1],
[2], [_libtool_name=$lt_[]$1],
[_libtool_name=lt_dict_fetch([lt_decl_dict], [$1], [value])])[]dnl
m4_ifval([$2], [_$2])[]m4_popdef([_libtool_name])[]dnl
])
# _LT_LIBTOOL_CONFIG_VARS
# -----------------------
# Produce commented declarations of non-tagged libtool config variables
# suitable for insertion in the LIBTOOL CONFIG section of the `libtool'
# script. Tagged libtool config variables (even for the LIBTOOL CONFIG
# section) are produced by _LT_LIBTOOL_TAG_VARS.
m4_defun([_LT_LIBTOOL_CONFIG_VARS],
[m4_foreach([_lt_var],
m4_quote(_lt_decl_filter([tagged?], [no], [], lt_decl_varnames)),
[m4_n([_LT_LIBTOOL_DECLARE(_lt_var)])])])
# _LT_LIBTOOL_TAG_VARS(TAG)
# -------------------------
m4_define([_LT_LIBTOOL_TAG_VARS],
[m4_foreach([_lt_var], m4_quote(lt_decl_tag_varnames),
[m4_n([_LT_LIBTOOL_DECLARE(_lt_var, [$1])])])])
# _LT_TAGVAR(VARNAME, [TAGNAME])
# ------------------------------
m4_define([_LT_TAGVAR], [m4_ifval([$2], [$1_$2], [$1])])
# _LT_CONFIG_COMMANDS
# -------------------
# Send accumulated output to $CONFIG_STATUS. Thanks to the lists of
# variables for single and double quote escaping we saved from calls
# to _LT_DECL, we can put quote escaped variables declarations
# into `config.status', and then the shell code to quote escape them in
# for loops in `config.status'. Finally, any additional code accumulated
# from calls to _LT_CONFIG_LIBTOOL_INIT is expanded.
m4_defun([_LT_CONFIG_COMMANDS],
[AC_PROVIDE_IFELSE([LT_OUTPUT],
dnl If the libtool generation code has been placed in $CONFIG_LT,
dnl instead of duplicating it all over again into config.status,
dnl then we will have config.status run $CONFIG_LT later, so it
dnl needs to know what name is stored there:
[AC_CONFIG_COMMANDS([libtool],
[$SHELL $CONFIG_LT || AS_EXIT(1)], [CONFIG_LT='$CONFIG_LT'])],
dnl If the libtool generation code is destined for config.status,
dnl expand the accumulated commands and init code now:
[AC_CONFIG_COMMANDS([libtool],
[_LT_OUTPUT_LIBTOOL_COMMANDS], [_LT_OUTPUT_LIBTOOL_COMMANDS_INIT])])
])#_LT_CONFIG_COMMANDS
# Initialize.
m4_define([_LT_OUTPUT_LIBTOOL_COMMANDS_INIT],
[
# The HP-UX ksh and POSIX shell print the target directory to stdout
# if CDPATH is set.
(unset CDPATH) >/dev/null 2>&1 && unset CDPATH
sed_quote_subst='$sed_quote_subst'
double_quote_subst='$double_quote_subst'
delay_variable_subst='$delay_variable_subst'
_LT_CONFIG_STATUS_DECLARATIONS
LTCC='$LTCC'
LTCFLAGS='$LTCFLAGS'
compiler='$compiler_DEFAULT'
# A function that is used when there is no print builtin or printf.
func_fallback_echo ()
{
eval 'cat <<_LTECHO_EOF
\$[]1
_LTECHO_EOF'
}
# Quote evaled strings.
for var in lt_decl_all_varnames([[ \
]], lt_decl_quote_varnames); do
case \`eval \\\\\$ECHO \\\\""\\\\\$\$var"\\\\"\` in
*[[\\\\\\\`\\"\\\$]]*)
eval "lt_\$var=\\\\\\"\\\`\\\$ECHO \\"\\\$\$var\\" | \\\$SED \\"\\\$sed_quote_subst\\"\\\`\\\\\\""
;;
*)
eval "lt_\$var=\\\\\\"\\\$\$var\\\\\\""
;;
esac
done
# Double-quote double-evaled strings.
for var in lt_decl_all_varnames([[ \
]], lt_decl_dquote_varnames); do
case \`eval \\\\\$ECHO \\\\""\\\\\$\$var"\\\\"\` in
*[[\\\\\\\`\\"\\\$]]*)
eval "lt_\$var=\\\\\\"\\\`\\\$ECHO \\"\\\$\$var\\" | \\\$SED -e \\"\\\$double_quote_subst\\" -e \\"\\\$sed_quote_subst\\" -e \\"\\\$delay_variable_subst\\"\\\`\\\\\\""
;;
*)
eval "lt_\$var=\\\\\\"\\\$\$var\\\\\\""
;;
esac
done
_LT_OUTPUT_LIBTOOL_INIT
])
# _LT_GENERATED_FILE_INIT(FILE, [COMMENT])
# ------------------------------------
# Generate a child script FILE with all initialization necessary to
# reuse the environment learned by the parent script, and make the
# file executable. If COMMENT is supplied, it is inserted after the
# `#!' sequence but before initialization text begins. After this
# macro, additional text can be appended to FILE to form the body of
# the child script. The macro ends with non-zero status if the
# file could not be fully written (such as if the disk is full).
m4_ifdef([AS_INIT_GENERATED],
[m4_defun([_LT_GENERATED_FILE_INIT],[AS_INIT_GENERATED($@)])],
[m4_defun([_LT_GENERATED_FILE_INIT],
[m4_require([AS_PREPARE])]dnl
[m4_pushdef([AS_MESSAGE_LOG_FD])]dnl
[lt_write_fail=0
cat >$1 <<_ASEOF || lt_write_fail=1
#! $SHELL
# Generated by $as_me.
$2
SHELL=\${CONFIG_SHELL-$SHELL}
export SHELL
_ASEOF
cat >>$1 <<\_ASEOF || lt_write_fail=1
AS_SHELL_SANITIZE
_AS_PREPARE
exec AS_MESSAGE_FD>&1
_ASEOF
test $lt_write_fail = 0 && chmod +x $1[]dnl
m4_popdef([AS_MESSAGE_LOG_FD])])])# _LT_GENERATED_FILE_INIT
# LT_OUTPUT
# ---------
# This macro allows early generation of the libtool script (before
# AC_OUTPUT is called), incase it is used in configure for compilation
# tests.
AC_DEFUN([LT_OUTPUT],
[: ${CONFIG_LT=./config.lt}
AC_MSG_NOTICE([creating $CONFIG_LT])
_LT_GENERATED_FILE_INIT(["$CONFIG_LT"],
[# Run this file to recreate a libtool stub with the current configuration.])
cat >>"$CONFIG_LT" <<\_LTEOF
lt_cl_silent=false
exec AS_MESSAGE_LOG_FD>>config.log
{
echo
AS_BOX([Running $as_me.])
} >&AS_MESSAGE_LOG_FD
lt_cl_help="\
\`$as_me' creates a local libtool stub from the current configuration,
for use in further configure time tests before the real libtool is
generated.
Usage: $[0] [[OPTIONS]]
-h, --help print this help, then exit
-V, --version print version number, then exit
-q, --quiet do not print progress messages
-d, --debug don't remove temporary files
Report bugs to <bug-libtool@gnu.org>."
lt_cl_version="\
m4_ifset([AC_PACKAGE_NAME], [AC_PACKAGE_NAME ])config.lt[]dnl
m4_ifset([AC_PACKAGE_VERSION], [ AC_PACKAGE_VERSION])
configured by $[0], generated by m4_PACKAGE_STRING.
Copyright (C) 2011 Free Software Foundation, Inc.
This config.lt script is free software; the Free Software Foundation
gives unlimited permision to copy, distribute and modify it."
while test $[#] != 0
do
case $[1] in
--version | --v* | -V )
echo "$lt_cl_version"; exit 0 ;;
--help | --h* | -h )
echo "$lt_cl_help"; exit 0 ;;
--debug | --d* | -d )
debug=: ;;
--quiet | --q* | --silent | --s* | -q )
lt_cl_silent=: ;;
-*) AC_MSG_ERROR([unrecognized option: $[1]
Try \`$[0] --help' for more information.]) ;;
*) AC_MSG_ERROR([unrecognized argument: $[1]
Try \`$[0] --help' for more information.]) ;;
esac
shift
done
if $lt_cl_silent; then
exec AS_MESSAGE_FD>/dev/null
fi
_LTEOF
cat >>"$CONFIG_LT" <<_LTEOF
_LT_OUTPUT_LIBTOOL_COMMANDS_INIT
_LTEOF
cat >>"$CONFIG_LT" <<\_LTEOF
AC_MSG_NOTICE([creating $ofile])
_LT_OUTPUT_LIBTOOL_COMMANDS
AS_EXIT(0)
_LTEOF
chmod +x "$CONFIG_LT"
# configure is writing to config.log, but config.lt does its own redirection,
# appending to config.log, which fails on DOS, as config.log is still kept
# open by configure. Here we exec the FD to /dev/null, effectively closing
# config.log, so it can be properly (re)opened and appended to by config.lt.
lt_cl_success=:
test "$silent" = yes &&
lt_config_lt_args="$lt_config_lt_args --quiet"
exec AS_MESSAGE_LOG_FD>/dev/null
$SHELL "$CONFIG_LT" $lt_config_lt_args || lt_cl_success=false
exec AS_MESSAGE_LOG_FD>>config.log
$lt_cl_success || AS_EXIT(1)
])# LT_OUTPUT
# _LT_CONFIG(TAG)
# ---------------
# If TAG is the built-in tag, create an initial libtool script with a
# default configuration from the untagged config vars. Otherwise add code
# to config.status for appending the configuration named by TAG from the
# matching tagged config vars.
m4_defun([_LT_CONFIG],
[m4_require([_LT_FILEUTILS_DEFAULTS])dnl
_LT_CONFIG_SAVE_COMMANDS([
m4_define([_LT_TAG], m4_if([$1], [], [C], [$1]))dnl
m4_if(_LT_TAG, [C], [
# See if we are running on zsh, and set the options which allow our
# commands through without removal of \ escapes.
if test -n "${ZSH_VERSION+set}" ; then
setopt NO_GLOB_SUBST
fi
cfgfile="${ofile}T"
trap "$RM \"$cfgfile\"; exit 1" 1 2 15
$RM "$cfgfile"
cat <<_LT_EOF >> "$cfgfile"
#! $SHELL
# `$ECHO "$ofile" | sed 's%^.*/%%'` - Provide generalized library-building support services.
# Generated automatically by $as_me ($PACKAGE$TIMESTAMP) $VERSION
# Libtool was configured on host `(hostname || uname -n) 2>/dev/null | sed 1q`:
# NOTE: Changes made to this file will be lost: look at ltmain.sh.
#
_LT_COPYING
_LT_LIBTOOL_TAGS
# ### BEGIN LIBTOOL CONFIG
_LT_LIBTOOL_CONFIG_VARS
_LT_LIBTOOL_TAG_VARS
# ### END LIBTOOL CONFIG
_LT_EOF
case $host_os in
aix3*)
cat <<\_LT_EOF >> "$cfgfile"
# AIX sometimes has problems with the GCC collect2 program. For some
# reason, if we set the COLLECT_NAMES environment variable, the problems
# vanish in a puff of smoke.
if test "X${COLLECT_NAMES+set}" != Xset; then
COLLECT_NAMES=
export COLLECT_NAMES
fi
_LT_EOF
;;
esac
_LT_PROG_LTMAIN
# We use sed instead of cat because bash on DJGPP gets confused if
# if finds mixed CR/LF and LF-only lines. Since sed operates in
# text mode, it properly converts lines to CR/LF. This bash problem
# is reportedly fixed, but why not run on old versions too?
sed '$q' "$ltmain" >> "$cfgfile" \
|| (rm -f "$cfgfile"; exit 1)
_LT_PROG_REPLACE_SHELLFNS
mv -f "$cfgfile" "$ofile" ||
(rm -f "$ofile" && cp "$cfgfile" "$ofile" && rm -f "$cfgfile")
chmod +x "$ofile"
],
[cat <<_LT_EOF >> "$ofile"
dnl Unfortunately we have to use $1 here, since _LT_TAG is not expanded
dnl in a comment (ie after a #).
# ### BEGIN LIBTOOL TAG CONFIG: $1
_LT_LIBTOOL_TAG_VARS(_LT_TAG)
# ### END LIBTOOL TAG CONFIG: $1
_LT_EOF
])dnl /m4_if
],
[m4_if([$1], [], [
PACKAGE='$PACKAGE'
VERSION='$VERSION'
TIMESTAMP='$TIMESTAMP'
RM='$RM'
ofile='$ofile'], [])
])dnl /_LT_CONFIG_SAVE_COMMANDS
])# _LT_CONFIG
# LT_SUPPORTED_TAG(TAG)
# ---------------------
# Trace this macro to discover what tags are supported by the libtool
# --tag option, using:
# autoconf --trace 'LT_SUPPORTED_TAG:$1'
AC_DEFUN([LT_SUPPORTED_TAG], [])
# C support is built-in for now
m4_define([_LT_LANG_C_enabled], [])
m4_define([_LT_TAGS], [])
# LT_LANG(LANG)
# -------------
# Enable libtool support for the given language if not already enabled.
AC_DEFUN([LT_LANG],
[AC_BEFORE([$0], [LT_OUTPUT])dnl
m4_case([$1],
[C], [_LT_LANG(C)],
[C++], [_LT_LANG(CXX)],
[Go], [_LT_LANG(GO)],
[Java], [_LT_LANG(GCJ)],
[Fortran 77], [_LT_LANG(F77)],
[Fortran], [_LT_LANG(FC)],
[Windows Resource], [_LT_LANG(RC)],
[m4_ifdef([_LT_LANG_]$1[_CONFIG],
[_LT_LANG($1)],
[m4_fatal([$0: unsupported language: "$1"])])])dnl
])# LT_LANG
# _LT_LANG(LANGNAME)
# ------------------
m4_defun([_LT_LANG],
[m4_ifdef([_LT_LANG_]$1[_enabled], [],
[LT_SUPPORTED_TAG([$1])dnl
m4_append([_LT_TAGS], [$1 ])dnl
m4_define([_LT_LANG_]$1[_enabled], [])dnl
_LT_LANG_$1_CONFIG($1)])dnl
])# _LT_LANG
m4_ifndef([AC_PROG_GO], [
# NOTE: This macro has been submitted for inclusion into #
# GNU Autoconf as AC_PROG_GO. When it is available in #
# a released version of Autoconf we should remove this #
# macro and use it instead. #
m4_defun([AC_PROG_GO],
[AC_LANG_PUSH(Go)dnl
AC_ARG_VAR([GOC], [Go compiler command])dnl
AC_ARG_VAR([GOFLAGS], [Go compiler flags])dnl
_AC_ARG_VAR_LDFLAGS()dnl
AC_CHECK_TOOL(GOC, gccgo)
if test -z "$GOC"; then
if test -n "$ac_tool_prefix"; then
AC_CHECK_PROG(GOC, [${ac_tool_prefix}gccgo], [${ac_tool_prefix}gccgo])
fi
fi
if test -z "$GOC"; then
AC_CHECK_PROG(GOC, gccgo, gccgo, false)
fi
])#m4_defun
])#m4_ifndef
# _LT_LANG_DEFAULT_CONFIG
# -----------------------
m4_defun([_LT_LANG_DEFAULT_CONFIG],
[AC_PROVIDE_IFELSE([AC_PROG_CXX],
[LT_LANG(CXX)],
[m4_define([AC_PROG_CXX], defn([AC_PROG_CXX])[LT_LANG(CXX)])])
AC_PROVIDE_IFELSE([AC_PROG_F77],
[LT_LANG(F77)],
[m4_define([AC_PROG_F77], defn([AC_PROG_F77])[LT_LANG(F77)])])
AC_PROVIDE_IFELSE([AC_PROG_FC],
[LT_LANG(FC)],
[m4_define([AC_PROG_FC], defn([AC_PROG_FC])[LT_LANG(FC)])])
dnl The call to [A][M_PROG_GCJ] is quoted like that to stop aclocal
dnl pulling things in needlessly.
AC_PROVIDE_IFELSE([AC_PROG_GCJ],
[LT_LANG(GCJ)],
[AC_PROVIDE_IFELSE([A][M_PROG_GCJ],
[LT_LANG(GCJ)],
[AC_PROVIDE_IFELSE([LT_PROG_GCJ],
[LT_LANG(GCJ)],
[m4_ifdef([AC_PROG_GCJ],
[m4_define([AC_PROG_GCJ], defn([AC_PROG_GCJ])[LT_LANG(GCJ)])])
m4_ifdef([A][M_PROG_GCJ],
[m4_define([A][M_PROG_GCJ], defn([A][M_PROG_GCJ])[LT_LANG(GCJ)])])
m4_ifdef([LT_PROG_GCJ],
[m4_define([LT_PROG_GCJ], defn([LT_PROG_GCJ])[LT_LANG(GCJ)])])])])])
AC_PROVIDE_IFELSE([AC_PROG_GO],
[LT_LANG(GO)],
[m4_define([AC_PROG_GO], defn([AC_PROG_GO])[LT_LANG(GO)])])
AC_PROVIDE_IFELSE([LT_PROG_RC],
[LT_LANG(RC)],
[m4_define([LT_PROG_RC], defn([LT_PROG_RC])[LT_LANG(RC)])])
])# _LT_LANG_DEFAULT_CONFIG
# Obsolete macros:
AU_DEFUN([AC_LIBTOOL_CXX], [LT_LANG(C++)])
AU_DEFUN([AC_LIBTOOL_F77], [LT_LANG(Fortran 77)])
AU_DEFUN([AC_LIBTOOL_FC], [LT_LANG(Fortran)])
AU_DEFUN([AC_LIBTOOL_GCJ], [LT_LANG(Java)])
AU_DEFUN([AC_LIBTOOL_RC], [LT_LANG(Windows Resource)])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_CXX], [])
dnl AC_DEFUN([AC_LIBTOOL_F77], [])
dnl AC_DEFUN([AC_LIBTOOL_FC], [])
dnl AC_DEFUN([AC_LIBTOOL_GCJ], [])
dnl AC_DEFUN([AC_LIBTOOL_RC], [])
# _LT_TAG_COMPILER
# ----------------
m4_defun([_LT_TAG_COMPILER],
[AC_REQUIRE([AC_PROG_CC])dnl
_LT_DECL([LTCC], [CC], [1], [A C compiler])dnl
_LT_DECL([LTCFLAGS], [CFLAGS], [1], [LTCC compiler flags])dnl
_LT_TAGDECL([CC], [compiler], [1], [A language specific compiler])dnl
_LT_TAGDECL([with_gcc], [GCC], [0], [Is the compiler the GNU compiler?])dnl
# If no C compiler was specified, use CC.
LTCC=${LTCC-"$CC"}
# If no C compiler flags were specified, use CFLAGS.
LTCFLAGS=${LTCFLAGS-"$CFLAGS"}
# Allow CC to be a program name with arguments.
compiler=$CC
])# _LT_TAG_COMPILER
# _LT_COMPILER_BOILERPLATE
# ------------------------
# Check for compiler boilerplate output or warnings with
# the simple compiler test code.
m4_defun([_LT_COMPILER_BOILERPLATE],
[m4_require([_LT_DECL_SED])dnl
ac_outfile=conftest.$ac_objext
echo "$lt_simple_compile_test_code" >conftest.$ac_ext
eval "$ac_compile" 2>&1 >/dev/null | $SED '/^$/d; /^ *+/d' >conftest.err
_lt_compiler_boilerplate=`cat conftest.err`
$RM conftest*
])# _LT_COMPILER_BOILERPLATE
# _LT_LINKER_BOILERPLATE
# ----------------------
# Check for linker boilerplate output or warnings with
# the simple link test code.
m4_defun([_LT_LINKER_BOILERPLATE],
[m4_require([_LT_DECL_SED])dnl
ac_outfile=conftest.$ac_objext
echo "$lt_simple_link_test_code" >conftest.$ac_ext
eval "$ac_link" 2>&1 >/dev/null | $SED '/^$/d; /^ *+/d' >conftest.err
_lt_linker_boilerplate=`cat conftest.err`
$RM -r conftest*
])# _LT_LINKER_BOILERPLATE
# _LT_REQUIRED_DARWIN_CHECKS
# -------------------------
m4_defun_once([_LT_REQUIRED_DARWIN_CHECKS],[
case $host_os in
rhapsody* | darwin*)
AC_CHECK_TOOL([DSYMUTIL], [dsymutil], [:])
AC_CHECK_TOOL([NMEDIT], [nmedit], [:])
AC_CHECK_TOOL([LIPO], [lipo], [:])
AC_CHECK_TOOL([OTOOL], [otool], [:])
AC_CHECK_TOOL([OTOOL64], [otool64], [:])
_LT_DECL([], [DSYMUTIL], [1],
[Tool to manipulate archived DWARF debug symbol files on Mac OS X])
_LT_DECL([], [NMEDIT], [1],
[Tool to change global to local symbols on Mac OS X])
_LT_DECL([], [LIPO], [1],
[Tool to manipulate fat objects and archives on Mac OS X])
_LT_DECL([], [OTOOL], [1],
[ldd/readelf like tool for Mach-O binaries on Mac OS X])
_LT_DECL([], [OTOOL64], [1],
[ldd/readelf like tool for 64 bit Mach-O binaries on Mac OS X 10.4])
AC_CACHE_CHECK([for -single_module linker flag],[lt_cv_apple_cc_single_mod],
[lt_cv_apple_cc_single_mod=no
if test -z "${LT_MULTI_MODULE}"; then
# By default we will add the -single_module flag. You can override
# by either setting the environment variable LT_MULTI_MODULE
# non-empty at configure time, or by adding -multi_module to the
# link flags.
rm -rf libconftest.dylib*
echo "int foo(void){return 1;}" > conftest.c
echo "$LTCC $LTCFLAGS $LDFLAGS -o libconftest.dylib \
-dynamiclib -Wl,-single_module conftest.c" >&AS_MESSAGE_LOG_FD
$LTCC $LTCFLAGS $LDFLAGS -o libconftest.dylib \
-dynamiclib -Wl,-single_module conftest.c 2>conftest.err
_lt_result=$?
# If there is a non-empty error log, and "single_module"
# appears in it, assume the flag caused a linker warning
if test -s conftest.err && $GREP single_module conftest.err; then
cat conftest.err >&AS_MESSAGE_LOG_FD
# Otherwise, if the output was created with a 0 exit code from
# the compiler, it worked.
elif test -f libconftest.dylib && test $_lt_result -eq 0; then
lt_cv_apple_cc_single_mod=yes
else
cat conftest.err >&AS_MESSAGE_LOG_FD
fi
rm -rf libconftest.dylib*
rm -f conftest.*
fi])
AC_CACHE_CHECK([for -exported_symbols_list linker flag],
[lt_cv_ld_exported_symbols_list],
[lt_cv_ld_exported_symbols_list=no
save_LDFLAGS=$LDFLAGS
echo "_main" > conftest.sym
LDFLAGS="$LDFLAGS -Wl,-exported_symbols_list,conftest.sym"
AC_LINK_IFELSE([AC_LANG_PROGRAM([],[])],
[lt_cv_ld_exported_symbols_list=yes],
[lt_cv_ld_exported_symbols_list=no])
LDFLAGS="$save_LDFLAGS"
])
AC_CACHE_CHECK([for -force_load linker flag],[lt_cv_ld_force_load],
[lt_cv_ld_force_load=no
cat > conftest.c << _LT_EOF
int forced_loaded() { return 2;}
_LT_EOF
echo "$LTCC $LTCFLAGS -c -o conftest.o conftest.c" >&AS_MESSAGE_LOG_FD
$LTCC $LTCFLAGS -c -o conftest.o conftest.c 2>&AS_MESSAGE_LOG_FD
echo "$AR cru libconftest.a conftest.o" >&AS_MESSAGE_LOG_FD
$AR cru libconftest.a conftest.o 2>&AS_MESSAGE_LOG_FD
echo "$RANLIB libconftest.a" >&AS_MESSAGE_LOG_FD
$RANLIB libconftest.a 2>&AS_MESSAGE_LOG_FD
cat > conftest.c << _LT_EOF
int main() { return 0;}
_LT_EOF
echo "$LTCC $LTCFLAGS $LDFLAGS -o conftest conftest.c -Wl,-force_load,./libconftest.a" >&AS_MESSAGE_LOG_FD
$LTCC $LTCFLAGS $LDFLAGS -o conftest conftest.c -Wl,-force_load,./libconftest.a 2>conftest.err
_lt_result=$?
if test -s conftest.err && $GREP force_load conftest.err; then
cat conftest.err >&AS_MESSAGE_LOG_FD
elif test -f conftest && test $_lt_result -eq 0 && $GREP forced_load conftest >/dev/null 2>&1 ; then
lt_cv_ld_force_load=yes
else
cat conftest.err >&AS_MESSAGE_LOG_FD
fi
rm -f conftest.err libconftest.a conftest conftest.c
rm -rf conftest.dSYM
])
case $host_os in
rhapsody* | darwin1.[[012]])
_lt_dar_allow_undefined='${wl}-undefined ${wl}suppress' ;;
darwin1.*)
_lt_dar_allow_undefined='${wl}-flat_namespace ${wl}-undefined ${wl}suppress' ;;
darwin*) # darwin 5.x on
# if running on 10.5 or later, the deployment target defaults
# to the OS version, if on x86, and 10.4, the deployment
# target defaults to 10.4. Don't you love it?
case ${MACOSX_DEPLOYMENT_TARGET-10.0},$host in
10.0,*86*-darwin8*|10.0,*-darwin[[91]]*)
_lt_dar_allow_undefined='${wl}-undefined ${wl}dynamic_lookup' ;;
10.[[012]]*)
_lt_dar_allow_undefined='${wl}-flat_namespace ${wl}-undefined ${wl}suppress' ;;
10.*)
_lt_dar_allow_undefined='${wl}-undefined ${wl}dynamic_lookup' ;;
esac
;;
esac
if test "$lt_cv_apple_cc_single_mod" = "yes"; then
_lt_dar_single_mod='$single_module'
fi
if test "$lt_cv_ld_exported_symbols_list" = "yes"; then
_lt_dar_export_syms=' ${wl}-exported_symbols_list,$output_objdir/${libname}-symbols.expsym'
else
_lt_dar_export_syms='~$NMEDIT -s $output_objdir/${libname}-symbols.expsym ${lib}'
fi
if test "$DSYMUTIL" != ":" && test "$lt_cv_ld_force_load" = "no"; then
_lt_dsymutil='~$DSYMUTIL $lib || :'
else
_lt_dsymutil=
fi
;;
esac
])
# _LT_DARWIN_LINKER_FEATURES([TAG])
# ---------------------------------
# Checks for linker and compiler features on darwin
m4_defun([_LT_DARWIN_LINKER_FEATURES],
[
m4_require([_LT_REQUIRED_DARWIN_CHECKS])
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_automatic, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=unsupported
if test "$lt_cv_ld_force_load" = "yes"; then
_LT_TAGVAR(whole_archive_flag_spec, $1)='`for conv in $convenience\"\"; do test -n \"$conv\" && new_convenience=\"$new_convenience ${wl}-force_load,$conv\"; done; func_echo_all \"$new_convenience\"`'
m4_case([$1], [F77], [_LT_TAGVAR(compiler_needs_object, $1)=yes],
[FC], [_LT_TAGVAR(compiler_needs_object, $1)=yes])
else
_LT_TAGVAR(whole_archive_flag_spec, $1)=''
fi
_LT_TAGVAR(link_all_deplibs, $1)=yes
_LT_TAGVAR(allow_undefined_flag, $1)="$_lt_dar_allow_undefined"
case $cc_basename in
ifort*) _lt_dar_can_shared=yes ;;
*) _lt_dar_can_shared=$GCC ;;
esac
if test "$_lt_dar_can_shared" = "yes"; then
output_verbose_link_cmd=func_echo_all
_LT_TAGVAR(archive_cmds, $1)="\$CC -dynamiclib \$allow_undefined_flag -o \$lib \$libobjs \$deplibs \$compiler_flags -install_name \$rpath/\$soname \$verstring $_lt_dar_single_mod${_lt_dsymutil}"
_LT_TAGVAR(module_cmds, $1)="\$CC \$allow_undefined_flag -o \$lib -bundle \$libobjs \$deplibs \$compiler_flags${_lt_dsymutil}"
_LT_TAGVAR(archive_expsym_cmds, $1)="sed 's,^,_,' < \$export_symbols > \$output_objdir/\${libname}-symbols.expsym~\$CC -dynamiclib \$allow_undefined_flag -o \$lib \$libobjs \$deplibs \$compiler_flags -install_name \$rpath/\$soname \$verstring ${_lt_dar_single_mod}${_lt_dar_export_syms}${_lt_dsymutil}"
_LT_TAGVAR(module_expsym_cmds, $1)="sed -e 's,^,_,' < \$export_symbols > \$output_objdir/\${libname}-symbols.expsym~\$CC \$allow_undefined_flag -o \$lib -bundle \$libobjs \$deplibs \$compiler_flags${_lt_dar_export_syms}${_lt_dsymutil}"
m4_if([$1], [CXX],
[ if test "$lt_cv_apple_cc_single_mod" != "yes"; then
_LT_TAGVAR(archive_cmds, $1)="\$CC -r -keep_private_externs -nostdlib -o \${lib}-master.o \$libobjs~\$CC -dynamiclib \$allow_undefined_flag -o \$lib \${lib}-master.o \$deplibs \$compiler_flags -install_name \$rpath/\$soname \$verstring${_lt_dsymutil}"
_LT_TAGVAR(archive_expsym_cmds, $1)="sed 's,^,_,' < \$export_symbols > \$output_objdir/\${libname}-symbols.expsym~\$CC -r -keep_private_externs -nostdlib -o \${lib}-master.o \$libobjs~\$CC -dynamiclib \$allow_undefined_flag -o \$lib \${lib}-master.o \$deplibs \$compiler_flags -install_name \$rpath/\$soname \$verstring${_lt_dar_export_syms}${_lt_dsymutil}"
fi
],[])
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
])
# _LT_SYS_MODULE_PATH_AIX([TAGNAME])
# ----------------------------------
# Links a minimal program and checks the executable
# for the system default hardcoded library path. In most cases,
# this is /usr/lib:/lib, but when the MPI compilers are used
# the location of the communication and MPI libs are included too.
# If we don't find anything, use the default library path according
# to the aix ld manual.
# Store the results from the different compilers for each TAGNAME.
# Allow to override them for all tags through lt_cv_aix_libpath.
m4_defun([_LT_SYS_MODULE_PATH_AIX],
[m4_require([_LT_DECL_SED])dnl
if test "${lt_cv_aix_libpath+set}" = set; then
aix_libpath=$lt_cv_aix_libpath
else
AC_CACHE_VAL([_LT_TAGVAR([lt_cv_aix_libpath_], [$1])],
[AC_LINK_IFELSE([AC_LANG_PROGRAM],[
lt_aix_libpath_sed='[
/Import File Strings/,/^$/ {
/^0/ {
s/^0 *\([^ ]*\) *$/\1/
p
}
}]'
_LT_TAGVAR([lt_cv_aix_libpath_], [$1])=`dump -H conftest$ac_exeext 2>/dev/null | $SED -n -e "$lt_aix_libpath_sed"`
# Check for a 64-bit object if we didn't find anything.
if test -z "$_LT_TAGVAR([lt_cv_aix_libpath_], [$1])"; then
_LT_TAGVAR([lt_cv_aix_libpath_], [$1])=`dump -HX64 conftest$ac_exeext 2>/dev/null | $SED -n -e "$lt_aix_libpath_sed"`
fi],[])
if test -z "$_LT_TAGVAR([lt_cv_aix_libpath_], [$1])"; then
_LT_TAGVAR([lt_cv_aix_libpath_], [$1])="/usr/lib:/lib"
fi
])
aix_libpath=$_LT_TAGVAR([lt_cv_aix_libpath_], [$1])
fi
])# _LT_SYS_MODULE_PATH_AIX
# _LT_SHELL_INIT(ARG)
# -------------------
m4_define([_LT_SHELL_INIT],
[m4_divert_text([M4SH-INIT], [$1
])])# _LT_SHELL_INIT
# _LT_PROG_ECHO_BACKSLASH
# -----------------------
# Find how we can fake an echo command that does not interpret backslash.
# In particular, with Autoconf 2.60 or later we add some code to the start
# of the generated configure script which will find a shell with a builtin
# printf (which we can use as an echo command).
m4_defun([_LT_PROG_ECHO_BACKSLASH],
[ECHO='\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\'
ECHO=$ECHO$ECHO$ECHO$ECHO$ECHO
ECHO=$ECHO$ECHO$ECHO$ECHO$ECHO$ECHO
AC_MSG_CHECKING([how to print strings])
# Test print first, because it will be a builtin if present.
if test "X`( print -r -- -n ) 2>/dev/null`" = X-n && \
test "X`print -r -- $ECHO 2>/dev/null`" = "X$ECHO"; then
ECHO='print -r --'
elif test "X`printf %s $ECHO 2>/dev/null`" = "X$ECHO"; then
ECHO='printf %s\n'
else
# Use this function as a fallback that always works.
func_fallback_echo ()
{
eval 'cat <<_LTECHO_EOF
$[]1
_LTECHO_EOF'
}
ECHO='func_fallback_echo'
fi
# func_echo_all arg...
# Invoke $ECHO with all args, space-separated.
func_echo_all ()
{
$ECHO "$*"
}
case "$ECHO" in
printf*) AC_MSG_RESULT([printf]) ;;
print*) AC_MSG_RESULT([print -r]) ;;
*) AC_MSG_RESULT([cat]) ;;
esac
m4_ifdef([_AS_DETECT_SUGGESTED],
[_AS_DETECT_SUGGESTED([
test -n "${ZSH_VERSION+set}${BASH_VERSION+set}" || (
ECHO='\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\'
ECHO=$ECHO$ECHO$ECHO$ECHO$ECHO
ECHO=$ECHO$ECHO$ECHO$ECHO$ECHO$ECHO
PATH=/empty FPATH=/empty; export PATH FPATH
test "X`printf %s $ECHO`" = "X$ECHO" \
|| test "X`print -r -- $ECHO`" = "X$ECHO" )])])
_LT_DECL([], [SHELL], [1], [Shell to use when invoking shell scripts])
_LT_DECL([], [ECHO], [1], [An echo program that protects backslashes])
])# _LT_PROG_ECHO_BACKSLASH
# _LT_WITH_SYSROOT
# ----------------
AC_DEFUN([_LT_WITH_SYSROOT],
[AC_MSG_CHECKING([for sysroot])
AC_ARG_WITH([sysroot],
[ --with-sysroot[=DIR] Search for dependent libraries within DIR
(or the compiler's sysroot if not specified).],
[], [with_sysroot=no])
dnl lt_sysroot will always be passed unquoted. We quote it here
dnl in case the user passed a directory name.
lt_sysroot=
case ${with_sysroot} in #(
yes)
if test "$GCC" = yes; then
lt_sysroot=`$CC --print-sysroot 2>/dev/null`
fi
;; #(
/*)
lt_sysroot=`echo "$with_sysroot" | sed -e "$sed_quote_subst"`
;; #(
no|'')
;; #(
*)
AC_MSG_RESULT([${with_sysroot}])
AC_MSG_ERROR([The sysroot must be an absolute path.])
;;
esac
AC_MSG_RESULT([${lt_sysroot:-no}])
_LT_DECL([], [lt_sysroot], [0], [The root where to search for ]dnl
[dependent libraries, and in which our libraries should be installed.])])
# _LT_ENABLE_LOCK
# ---------------
m4_defun([_LT_ENABLE_LOCK],
[AC_ARG_ENABLE([libtool-lock],
[AS_HELP_STRING([--disable-libtool-lock],
[avoid locking (might break parallel builds)])])
test "x$enable_libtool_lock" != xno && enable_libtool_lock=yes
# Some flags need to be propagated to the compiler or linker for good
# libtool support.
case $host in
ia64-*-hpux*)
# Find out which ABI we are using.
echo 'int i;' > conftest.$ac_ext
if AC_TRY_EVAL(ac_compile); then
case `/usr/bin/file conftest.$ac_objext` in
*ELF-32*)
HPUX_IA64_MODE="32"
;;
*ELF-64*)
HPUX_IA64_MODE="64"
;;
esac
fi
rm -rf conftest*
;;
*-*-irix6*)
# Find out which ABI we are using.
echo '[#]line '$LINENO' "configure"' > conftest.$ac_ext
if AC_TRY_EVAL(ac_compile); then
if test "$lt_cv_prog_gnu_ld" = yes; then
case `/usr/bin/file conftest.$ac_objext` in
*32-bit*)
LD="${LD-ld} -melf32bsmip"
;;
*N32*)
LD="${LD-ld} -melf32bmipn32"
;;
*64-bit*)
LD="${LD-ld} -melf64bmip"
;;
esac
else
case `/usr/bin/file conftest.$ac_objext` in
*32-bit*)
LD="${LD-ld} -32"
;;
*N32*)
LD="${LD-ld} -n32"
;;
*64-bit*)
LD="${LD-ld} -64"
;;
esac
fi
fi
rm -rf conftest*
;;
x86_64-*kfreebsd*-gnu|x86_64-*linux*|ppc*-*linux*|powerpc*-*linux*| \
s390*-*linux*|s390*-*tpf*|sparc*-*linux*)
# Find out which ABI we are using.
echo 'int i;' > conftest.$ac_ext
if AC_TRY_EVAL(ac_compile); then
case `/usr/bin/file conftest.o` in
*32-bit*)
case $host in
x86_64-*kfreebsd*-gnu)
LD="${LD-ld} -m elf_i386_fbsd"
;;
x86_64-*linux*)
LD="${LD-ld} -m elf_i386"
;;
ppc64-*linux*|powerpc64-*linux*)
LD="${LD-ld} -m elf32ppclinux"
;;
s390x-*linux*)
LD="${LD-ld} -m elf_s390"
;;
sparc64-*linux*)
LD="${LD-ld} -m elf32_sparc"
;;
esac
;;
*64-bit*)
case $host in
x86_64-*kfreebsd*-gnu)
LD="${LD-ld} -m elf_x86_64_fbsd"
;;
x86_64-*linux*)
LD="${LD-ld} -m elf_x86_64"
;;
ppc*-*linux*|powerpc*-*linux*)
LD="${LD-ld} -m elf64ppc"
;;
s390*-*linux*|s390*-*tpf*)
LD="${LD-ld} -m elf64_s390"
;;
sparc*-*linux*)
LD="${LD-ld} -m elf64_sparc"
;;
esac
;;
esac
fi
rm -rf conftest*
;;
*-*-sco3.2v5*)
# On SCO OpenServer 5, we need -belf to get full-featured binaries.
SAVE_CFLAGS="$CFLAGS"
CFLAGS="$CFLAGS -belf"
AC_CACHE_CHECK([whether the C compiler needs -belf], lt_cv_cc_needs_belf,
[AC_LANG_PUSH(C)
AC_LINK_IFELSE([AC_LANG_PROGRAM([[]],[[]])],[lt_cv_cc_needs_belf=yes],[lt_cv_cc_needs_belf=no])
AC_LANG_POP])
if test x"$lt_cv_cc_needs_belf" != x"yes"; then
# this is probably gcc 2.8.0, egcs 1.0 or newer; no need for -belf
CFLAGS="$SAVE_CFLAGS"
fi
;;
*-*solaris*)
# Find out which ABI we are using.
echo 'int i;' > conftest.$ac_ext
if AC_TRY_EVAL(ac_compile); then
case `/usr/bin/file conftest.o` in
*64-bit*)
case $lt_cv_prog_gnu_ld in
yes*)
case $host in
i?86-*-solaris*)
LD="${LD-ld} -m elf_x86_64"
;;
sparc*-*-solaris*)
LD="${LD-ld} -m elf64_sparc"
;;
esac
# GNU ld 2.21 introduced _sol2 emulations. Use them if available.
if ${LD-ld} -V | grep _sol2 >/dev/null 2>&1; then
LD="${LD-ld}_sol2"
fi
;;
*)
if ${LD-ld} -64 -r -o conftest2.o conftest.o >/dev/null 2>&1; then
LD="${LD-ld} -64"
fi
;;
esac
;;
esac
fi
rm -rf conftest*
;;
esac
need_locks="$enable_libtool_lock"
])# _LT_ENABLE_LOCK
# _LT_PROG_AR
# -----------
m4_defun([_LT_PROG_AR],
[AC_CHECK_TOOLS(AR, [ar], false)
: ${AR=ar}
: ${AR_FLAGS=cru}
_LT_DECL([], [AR], [1], [The archiver])
_LT_DECL([], [AR_FLAGS], [1], [Flags to create an archive])
AC_CACHE_CHECK([for archiver @FILE support], [lt_cv_ar_at_file],
[lt_cv_ar_at_file=no
AC_COMPILE_IFELSE([AC_LANG_PROGRAM],
[echo conftest.$ac_objext > conftest.lst
lt_ar_try='$AR $AR_FLAGS libconftest.a @conftest.lst >&AS_MESSAGE_LOG_FD'
AC_TRY_EVAL([lt_ar_try])
if test "$ac_status" -eq 0; then
# Ensure the archiver fails upon bogus file names.
rm -f conftest.$ac_objext libconftest.a
AC_TRY_EVAL([lt_ar_try])
if test "$ac_status" -ne 0; then
lt_cv_ar_at_file=@
fi
fi
rm -f conftest.* libconftest.a
])
])
if test "x$lt_cv_ar_at_file" = xno; then
archiver_list_spec=
else
archiver_list_spec=$lt_cv_ar_at_file
fi
_LT_DECL([], [archiver_list_spec], [1],
[How to feed a file listing to the archiver])
])# _LT_PROG_AR
# _LT_CMD_OLD_ARCHIVE
# -------------------
m4_defun([_LT_CMD_OLD_ARCHIVE],
[_LT_PROG_AR
AC_CHECK_TOOL(STRIP, strip, :)
test -z "$STRIP" && STRIP=:
_LT_DECL([], [STRIP], [1], [A symbol stripping program])
AC_CHECK_TOOL(RANLIB, ranlib, :)
test -z "$RANLIB" && RANLIB=:
_LT_DECL([], [RANLIB], [1],
[Commands used to install an old-style archive])
# Determine commands to create old-style static archives.
old_archive_cmds='$AR $AR_FLAGS $oldlib$oldobjs'
old_postinstall_cmds='chmod 644 $oldlib'
old_postuninstall_cmds=
if test -n "$RANLIB"; then
case $host_os in
openbsd*)
old_postinstall_cmds="$old_postinstall_cmds~\$RANLIB -t \$tool_oldlib"
;;
*)
old_postinstall_cmds="$old_postinstall_cmds~\$RANLIB \$tool_oldlib"
;;
esac
old_archive_cmds="$old_archive_cmds~\$RANLIB \$tool_oldlib"
fi
case $host_os in
darwin*)
lock_old_archive_extraction=yes ;;
*)
lock_old_archive_extraction=no ;;
esac
_LT_DECL([], [old_postinstall_cmds], [2])
_LT_DECL([], [old_postuninstall_cmds], [2])
_LT_TAGDECL([], [old_archive_cmds], [2],
[Commands used to build an old-style archive])
_LT_DECL([], [lock_old_archive_extraction], [0],
[Whether to use a lock for old archive extraction])
])# _LT_CMD_OLD_ARCHIVE
# _LT_COMPILER_OPTION(MESSAGE, VARIABLE-NAME, FLAGS,
# [OUTPUT-FILE], [ACTION-SUCCESS], [ACTION-FAILURE])
# ----------------------------------------------------------------
# Check whether the given compiler option works
AC_DEFUN([_LT_COMPILER_OPTION],
[m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_DECL_SED])dnl
AC_CACHE_CHECK([$1], [$2],
[$2=no
m4_if([$4], , [ac_outfile=conftest.$ac_objext], [ac_outfile=$4])
echo "$lt_simple_compile_test_code" > conftest.$ac_ext
lt_compiler_flag="$3"
# Insert the option either (1) after the last *FLAGS variable, or
# (2) before a word containing "conftest.", or (3) at the end.
# Note that $ac_compile itself does not contain backslashes and begins
# with a dollar sign (not a hyphen), so the echo should work correctly.
# The option is referenced via a variable to avoid confusing sed.
lt_compile=`echo "$ac_compile" | $SED \
-e 's:.*FLAGS}\{0,1\} :&$lt_compiler_flag :; t' \
-e 's: [[^ ]]*conftest\.: $lt_compiler_flag&:; t' \
-e 's:$: $lt_compiler_flag:'`
(eval echo "\"\$as_me:$LINENO: $lt_compile\"" >&AS_MESSAGE_LOG_FD)
(eval "$lt_compile" 2>conftest.err)
ac_status=$?
cat conftest.err >&AS_MESSAGE_LOG_FD
echo "$as_me:$LINENO: \$? = $ac_status" >&AS_MESSAGE_LOG_FD
if (exit $ac_status) && test -s "$ac_outfile"; then
# The compiler can only warn and ignore the option if not recognized
# So say no if there are warnings other than the usual output.
$ECHO "$_lt_compiler_boilerplate" | $SED '/^$/d' >conftest.exp
$SED '/^$/d; /^ *+/d' conftest.err >conftest.er2
if test ! -s conftest.er2 || diff conftest.exp conftest.er2 >/dev/null; then
$2=yes
fi
fi
$RM conftest*
])
if test x"[$]$2" = xyes; then
m4_if([$5], , :, [$5])
else
m4_if([$6], , :, [$6])
fi
])# _LT_COMPILER_OPTION
# Old name:
AU_ALIAS([AC_LIBTOOL_COMPILER_OPTION], [_LT_COMPILER_OPTION])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_COMPILER_OPTION], [])
# _LT_LINKER_OPTION(MESSAGE, VARIABLE-NAME, FLAGS,
# [ACTION-SUCCESS], [ACTION-FAILURE])
# ----------------------------------------------------
# Check whether the given linker option works
AC_DEFUN([_LT_LINKER_OPTION],
[m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_DECL_SED])dnl
AC_CACHE_CHECK([$1], [$2],
[$2=no
save_LDFLAGS="$LDFLAGS"
LDFLAGS="$LDFLAGS $3"
echo "$lt_simple_link_test_code" > conftest.$ac_ext
if (eval $ac_link 2>conftest.err) && test -s conftest$ac_exeext; then
# The linker can only warn and ignore the option if not recognized
# So say no if there are warnings
if test -s conftest.err; then
# Append any errors to the config.log.
cat conftest.err 1>&AS_MESSAGE_LOG_FD
$ECHO "$_lt_linker_boilerplate" | $SED '/^$/d' > conftest.exp
$SED '/^$/d; /^ *+/d' conftest.err >conftest.er2
if diff conftest.exp conftest.er2 >/dev/null; then
$2=yes
fi
else
$2=yes
fi
fi
$RM -r conftest*
LDFLAGS="$save_LDFLAGS"
])
if test x"[$]$2" = xyes; then
m4_if([$4], , :, [$4])
else
m4_if([$5], , :, [$5])
fi
])# _LT_LINKER_OPTION
# Old name:
AU_ALIAS([AC_LIBTOOL_LINKER_OPTION], [_LT_LINKER_OPTION])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_LINKER_OPTION], [])
# LT_CMD_MAX_LEN
#---------------
AC_DEFUN([LT_CMD_MAX_LEN],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
# find the maximum length of command line arguments
AC_MSG_CHECKING([the maximum length of command line arguments])
AC_CACHE_VAL([lt_cv_sys_max_cmd_len], [dnl
i=0
teststring="ABCD"
case $build_os in
msdosdjgpp*)
# On DJGPP, this test can blow up pretty badly due to problems in libc
# (any single argument exceeding 2000 bytes causes a buffer overrun
# during glob expansion). Even if it were fixed, the result of this
# check would be larger than it should be.
lt_cv_sys_max_cmd_len=12288; # 12K is about right
;;
gnu*)
# Under GNU Hurd, this test is not required because there is
# no limit to the length of command line arguments.
# Libtool will interpret -1 as no limit whatsoever
lt_cv_sys_max_cmd_len=-1;
;;
cygwin* | mingw* | cegcc*)
# On Win9x/ME, this test blows up -- it succeeds, but takes
# about 5 minutes as the teststring grows exponentially.
# Worse, since 9x/ME are not pre-emptively multitasking,
# you end up with a "frozen" computer, even though with patience
# the test eventually succeeds (with a max line length of 256k).
# Instead, let's just punt: use the minimum linelength reported by
# all of the supported platforms: 8192 (on NT/2K/XP).
lt_cv_sys_max_cmd_len=8192;
;;
mint*)
# On MiNT this can take a long time and run out of memory.
lt_cv_sys_max_cmd_len=8192;
;;
amigaos*)
# On AmigaOS with pdksh, this test takes hours, literally.
# So we just punt and use a minimum line length of 8192.
lt_cv_sys_max_cmd_len=8192;
;;
netbsd* | freebsd* | openbsd* | darwin* | dragonfly*)
# This has been around since 386BSD, at least. Likely further.
if test -x /sbin/sysctl; then
lt_cv_sys_max_cmd_len=`/sbin/sysctl -n kern.argmax`
elif test -x /usr/sbin/sysctl; then
lt_cv_sys_max_cmd_len=`/usr/sbin/sysctl -n kern.argmax`
else
lt_cv_sys_max_cmd_len=65536 # usable default for all BSDs
fi
# And add a safety zone
lt_cv_sys_max_cmd_len=`expr $lt_cv_sys_max_cmd_len \/ 4`
lt_cv_sys_max_cmd_len=`expr $lt_cv_sys_max_cmd_len \* 3`
;;
interix*)
# We know the value 262144 and hardcode it with a safety zone (like BSD)
lt_cv_sys_max_cmd_len=196608
;;
os2*)
# The test takes a long time on OS/2.
lt_cv_sys_max_cmd_len=8192
;;
osf*)
# Dr. Hans Ekkehard Plesser reports seeing a kernel panic running configure
# due to this test when exec_disable_arg_limit is 1 on Tru64. It is not
# nice to cause kernel panics so lets avoid the loop below.
# First set a reasonable default.
lt_cv_sys_max_cmd_len=16384
#
if test -x /sbin/sysconfig; then
case `/sbin/sysconfig -q proc exec_disable_arg_limit` in
*1*) lt_cv_sys_max_cmd_len=-1 ;;
esac
fi
;;
sco3.2v5*)
lt_cv_sys_max_cmd_len=102400
;;
sysv5* | sco5v6* | sysv4.2uw2*)
kargmax=`grep ARG_MAX /etc/conf/cf.d/stune 2>/dev/null`
if test -n "$kargmax"; then
lt_cv_sys_max_cmd_len=`echo $kargmax | sed 's/.*[[ ]]//'`
else
lt_cv_sys_max_cmd_len=32768
fi
;;
*)
lt_cv_sys_max_cmd_len=`(getconf ARG_MAX) 2> /dev/null`
if test -n "$lt_cv_sys_max_cmd_len"; then
lt_cv_sys_max_cmd_len=`expr $lt_cv_sys_max_cmd_len \/ 4`
lt_cv_sys_max_cmd_len=`expr $lt_cv_sys_max_cmd_len \* 3`
else
# Make teststring a little bigger before we do anything with it.
# a 1K string should be a reasonable start.
for i in 1 2 3 4 5 6 7 8 ; do
teststring=$teststring$teststring
done
SHELL=${SHELL-${CONFIG_SHELL-/bin/sh}}
# If test is not a shell built-in, we'll probably end up computing a
# maximum length that is only half of the actual maximum length, but
# we can't tell.
while { test "X"`env echo "$teststring$teststring" 2>/dev/null` \
= "X$teststring$teststring"; } >/dev/null 2>&1 &&
test $i != 17 # 1/2 MB should be enough
do
i=`expr $i + 1`
teststring=$teststring$teststring
done
# Only check the string length outside the loop.
lt_cv_sys_max_cmd_len=`expr "X$teststring" : ".*" 2>&1`
teststring=
# Add a significant safety factor because C++ compilers can tack on
# massive amounts of additional arguments before passing them to the
# linker. It appears as though 1/2 is a usable value.
lt_cv_sys_max_cmd_len=`expr $lt_cv_sys_max_cmd_len \/ 2`
fi
;;
esac
])
if test -n $lt_cv_sys_max_cmd_len ; then
AC_MSG_RESULT($lt_cv_sys_max_cmd_len)
else
AC_MSG_RESULT(none)
fi
max_cmd_len=$lt_cv_sys_max_cmd_len
_LT_DECL([], [max_cmd_len], [0],
[What is the maximum length of a command?])
])# LT_CMD_MAX_LEN
# Old name:
AU_ALIAS([AC_LIBTOOL_SYS_MAX_CMD_LEN], [LT_CMD_MAX_LEN])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_SYS_MAX_CMD_LEN], [])
# _LT_HEADER_DLFCN
# ----------------
m4_defun([_LT_HEADER_DLFCN],
[AC_CHECK_HEADERS([dlfcn.h], [], [], [AC_INCLUDES_DEFAULT])dnl
])# _LT_HEADER_DLFCN
# _LT_TRY_DLOPEN_SELF (ACTION-IF-TRUE, ACTION-IF-TRUE-W-USCORE,
# ACTION-IF-FALSE, ACTION-IF-CROSS-COMPILING)
# ----------------------------------------------------------------
m4_defun([_LT_TRY_DLOPEN_SELF],
[m4_require([_LT_HEADER_DLFCN])dnl
if test "$cross_compiling" = yes; then :
[$4]
else
lt_dlunknown=0; lt_dlno_uscore=1; lt_dlneed_uscore=2
lt_status=$lt_dlunknown
cat > conftest.$ac_ext <<_LT_EOF
[#line $LINENO "configure"
#include "confdefs.h"
#if HAVE_DLFCN_H
#include <dlfcn.h>
#endif
#include <stdio.h>
#ifdef RTLD_GLOBAL
# define LT_DLGLOBAL RTLD_GLOBAL
#else
# ifdef DL_GLOBAL
# define LT_DLGLOBAL DL_GLOBAL
# else
# define LT_DLGLOBAL 0
# endif
#endif
/* We may have to define LT_DLLAZY_OR_NOW in the command line if we
find out it does not work in some platform. */
#ifndef LT_DLLAZY_OR_NOW
# ifdef RTLD_LAZY
# define LT_DLLAZY_OR_NOW RTLD_LAZY
# else
# ifdef DL_LAZY
# define LT_DLLAZY_OR_NOW DL_LAZY
# else
# ifdef RTLD_NOW
# define LT_DLLAZY_OR_NOW RTLD_NOW
# else
# ifdef DL_NOW
# define LT_DLLAZY_OR_NOW DL_NOW
# else
# define LT_DLLAZY_OR_NOW 0
# endif
# endif
# endif
# endif
#endif
/* When -fvisbility=hidden is used, assume the code has been annotated
correspondingly for the symbols needed. */
#if defined(__GNUC__) && (((__GNUC__ == 3) && (__GNUC_MINOR__ >= 3)) || (__GNUC__ > 3))
int fnord () __attribute__((visibility("default")));
#endif
int fnord () { return 42; }
int main ()
{
void *self = dlopen (0, LT_DLGLOBAL|LT_DLLAZY_OR_NOW);
int status = $lt_dlunknown;
if (self)
{
if (dlsym (self,"fnord")) status = $lt_dlno_uscore;
else
{
if (dlsym( self,"_fnord")) status = $lt_dlneed_uscore;
else puts (dlerror ());
}
/* dlclose (self); */
}
else
puts (dlerror ());
return status;
}]
_LT_EOF
if AC_TRY_EVAL(ac_link) && test -s conftest${ac_exeext} 2>/dev/null; then
(./conftest; exit; ) >&AS_MESSAGE_LOG_FD 2>/dev/null
lt_status=$?
case x$lt_status in
x$lt_dlno_uscore) $1 ;;
x$lt_dlneed_uscore) $2 ;;
x$lt_dlunknown|x*) $3 ;;
esac
else :
# compilation failed
$3
fi
fi
rm -fr conftest*
])# _LT_TRY_DLOPEN_SELF
# LT_SYS_DLOPEN_SELF
# ------------------
AC_DEFUN([LT_SYS_DLOPEN_SELF],
[m4_require([_LT_HEADER_DLFCN])dnl
if test "x$enable_dlopen" != xyes; then
enable_dlopen=unknown
enable_dlopen_self=unknown
enable_dlopen_self_static=unknown
else
lt_cv_dlopen=no
lt_cv_dlopen_libs=
case $host_os in
beos*)
lt_cv_dlopen="load_add_on"
lt_cv_dlopen_libs=
lt_cv_dlopen_self=yes
;;
mingw* | pw32* | cegcc*)
lt_cv_dlopen="LoadLibrary"
lt_cv_dlopen_libs=
;;
cygwin*)
lt_cv_dlopen="dlopen"
lt_cv_dlopen_libs=
;;
darwin*)
# if libdl is installed we need to link against it
AC_CHECK_LIB([dl], [dlopen],
[lt_cv_dlopen="dlopen" lt_cv_dlopen_libs="-ldl"],[
lt_cv_dlopen="dyld"
lt_cv_dlopen_libs=
lt_cv_dlopen_self=yes
])
;;
*)
AC_CHECK_FUNC([shl_load],
[lt_cv_dlopen="shl_load"],
[AC_CHECK_LIB([dld], [shl_load],
[lt_cv_dlopen="shl_load" lt_cv_dlopen_libs="-ldld"],
[AC_CHECK_FUNC([dlopen],
[lt_cv_dlopen="dlopen"],
[AC_CHECK_LIB([dl], [dlopen],
[lt_cv_dlopen="dlopen" lt_cv_dlopen_libs="-ldl"],
[AC_CHECK_LIB([svld], [dlopen],
[lt_cv_dlopen="dlopen" lt_cv_dlopen_libs="-lsvld"],
[AC_CHECK_LIB([dld], [dld_link],
[lt_cv_dlopen="dld_link" lt_cv_dlopen_libs="-ldld"])
])
])
])
])
])
;;
esac
if test "x$lt_cv_dlopen" != xno; then
enable_dlopen=yes
else
enable_dlopen=no
fi
case $lt_cv_dlopen in
dlopen)
save_CPPFLAGS="$CPPFLAGS"
test "x$ac_cv_header_dlfcn_h" = xyes && CPPFLAGS="$CPPFLAGS -DHAVE_DLFCN_H"
save_LDFLAGS="$LDFLAGS"
wl=$lt_prog_compiler_wl eval LDFLAGS=\"\$LDFLAGS $export_dynamic_flag_spec\"
save_LIBS="$LIBS"
LIBS="$lt_cv_dlopen_libs $LIBS"
AC_CACHE_CHECK([whether a program can dlopen itself],
lt_cv_dlopen_self, [dnl
_LT_TRY_DLOPEN_SELF(
lt_cv_dlopen_self=yes, lt_cv_dlopen_self=yes,
lt_cv_dlopen_self=no, lt_cv_dlopen_self=cross)
])
if test "x$lt_cv_dlopen_self" = xyes; then
wl=$lt_prog_compiler_wl eval LDFLAGS=\"\$LDFLAGS $lt_prog_compiler_static\"
AC_CACHE_CHECK([whether a statically linked program can dlopen itself],
lt_cv_dlopen_self_static, [dnl
_LT_TRY_DLOPEN_SELF(
lt_cv_dlopen_self_static=yes, lt_cv_dlopen_self_static=yes,
lt_cv_dlopen_self_static=no, lt_cv_dlopen_self_static=cross)
])
fi
CPPFLAGS="$save_CPPFLAGS"
LDFLAGS="$save_LDFLAGS"
LIBS="$save_LIBS"
;;
esac
case $lt_cv_dlopen_self in
yes|no) enable_dlopen_self=$lt_cv_dlopen_self ;;
*) enable_dlopen_self=unknown ;;
esac
case $lt_cv_dlopen_self_static in
yes|no) enable_dlopen_self_static=$lt_cv_dlopen_self_static ;;
*) enable_dlopen_self_static=unknown ;;
esac
fi
_LT_DECL([dlopen_support], [enable_dlopen], [0],
[Whether dlopen is supported])
_LT_DECL([dlopen_self], [enable_dlopen_self], [0],
[Whether dlopen of programs is supported])
_LT_DECL([dlopen_self_static], [enable_dlopen_self_static], [0],
[Whether dlopen of statically linked programs is supported])
])# LT_SYS_DLOPEN_SELF
# Old name:
AU_ALIAS([AC_LIBTOOL_DLOPEN_SELF], [LT_SYS_DLOPEN_SELF])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_DLOPEN_SELF], [])
# _LT_COMPILER_C_O([TAGNAME])
# ---------------------------
# Check to see if options -c and -o are simultaneously supported by compiler.
# This macro does not hard code the compiler like AC_PROG_CC_C_O.
m4_defun([_LT_COMPILER_C_O],
[m4_require([_LT_DECL_SED])dnl
m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_TAG_COMPILER])dnl
AC_CACHE_CHECK([if $compiler supports -c -o file.$ac_objext],
[_LT_TAGVAR(lt_cv_prog_compiler_c_o, $1)],
[_LT_TAGVAR(lt_cv_prog_compiler_c_o, $1)=no
$RM -r conftest 2>/dev/null
mkdir conftest
cd conftest
mkdir out
echo "$lt_simple_compile_test_code" > conftest.$ac_ext
lt_compiler_flag="-o out/conftest2.$ac_objext"
# Insert the option either (1) after the last *FLAGS variable, or
# (2) before a word containing "conftest.", or (3) at the end.
# Note that $ac_compile itself does not contain backslashes and begins
# with a dollar sign (not a hyphen), so the echo should work correctly.
lt_compile=`echo "$ac_compile" | $SED \
-e 's:.*FLAGS}\{0,1\} :&$lt_compiler_flag :; t' \
-e 's: [[^ ]]*conftest\.: $lt_compiler_flag&:; t' \
-e 's:$: $lt_compiler_flag:'`
(eval echo "\"\$as_me:$LINENO: $lt_compile\"" >&AS_MESSAGE_LOG_FD)
(eval "$lt_compile" 2>out/conftest.err)
ac_status=$?
cat out/conftest.err >&AS_MESSAGE_LOG_FD
echo "$as_me:$LINENO: \$? = $ac_status" >&AS_MESSAGE_LOG_FD
if (exit $ac_status) && test -s out/conftest2.$ac_objext
then
# The compiler can only warn and ignore the option if not recognized
# So say no if there are warnings
$ECHO "$_lt_compiler_boilerplate" | $SED '/^$/d' > out/conftest.exp
$SED '/^$/d; /^ *+/d' out/conftest.err >out/conftest.er2
if test ! -s out/conftest.er2 || diff out/conftest.exp out/conftest.er2 >/dev/null; then
_LT_TAGVAR(lt_cv_prog_compiler_c_o, $1)=yes
fi
fi
chmod u+w . 2>&AS_MESSAGE_LOG_FD
$RM conftest*
# SGI C++ compiler will create directory out/ii_files/ for
# template instantiation
test -d out/ii_files && $RM out/ii_files/* && rmdir out/ii_files
$RM out/* && rmdir out
cd ..
$RM -r conftest
$RM conftest*
])
_LT_TAGDECL([compiler_c_o], [lt_cv_prog_compiler_c_o], [1],
[Does compiler simultaneously support -c and -o options?])
])# _LT_COMPILER_C_O
# _LT_COMPILER_FILE_LOCKS([TAGNAME])
# ----------------------------------
# Check to see if we can do hard links to lock some files if needed
m4_defun([_LT_COMPILER_FILE_LOCKS],
[m4_require([_LT_ENABLE_LOCK])dnl
m4_require([_LT_FILEUTILS_DEFAULTS])dnl
_LT_COMPILER_C_O([$1])
hard_links="nottested"
if test "$_LT_TAGVAR(lt_cv_prog_compiler_c_o, $1)" = no && test "$need_locks" != no; then
# do not overwrite the value of need_locks provided by the user
AC_MSG_CHECKING([if we can lock with hard links])
hard_links=yes
$RM conftest*
ln conftest.a conftest.b 2>/dev/null && hard_links=no
touch conftest.a
ln conftest.a conftest.b 2>&5 || hard_links=no
ln conftest.a conftest.b 2>/dev/null && hard_links=no
AC_MSG_RESULT([$hard_links])
if test "$hard_links" = no; then
AC_MSG_WARN([`$CC' does not support `-c -o', so `make -j' may be unsafe])
need_locks=warn
fi
else
need_locks=no
fi
_LT_DECL([], [need_locks], [1], [Must we lock files when doing compilation?])
])# _LT_COMPILER_FILE_LOCKS
# _LT_CHECK_OBJDIR
# ----------------
m4_defun([_LT_CHECK_OBJDIR],
[AC_CACHE_CHECK([for objdir], [lt_cv_objdir],
[rm -f .libs 2>/dev/null
mkdir .libs 2>/dev/null
if test -d .libs; then
lt_cv_objdir=.libs
else
# MS-DOS does not allow filenames that begin with a dot.
lt_cv_objdir=_libs
fi
rmdir .libs 2>/dev/null])
objdir=$lt_cv_objdir
_LT_DECL([], [objdir], [0],
[The name of the directory that contains temporary libtool files])dnl
m4_pattern_allow([LT_OBJDIR])dnl
AC_DEFINE_UNQUOTED(LT_OBJDIR, "$lt_cv_objdir/",
[Define to the sub-directory in which libtool stores uninstalled libraries.])
])# _LT_CHECK_OBJDIR
# _LT_LINKER_HARDCODE_LIBPATH([TAGNAME])
# --------------------------------------
# Check hardcoding attributes.
m4_defun([_LT_LINKER_HARDCODE_LIBPATH],
[AC_MSG_CHECKING([how to hardcode library paths into programs])
_LT_TAGVAR(hardcode_action, $1)=
if test -n "$_LT_TAGVAR(hardcode_libdir_flag_spec, $1)" ||
test -n "$_LT_TAGVAR(runpath_var, $1)" ||
test "X$_LT_TAGVAR(hardcode_automatic, $1)" = "Xyes" ; then
# We can hardcode non-existent directories.
if test "$_LT_TAGVAR(hardcode_direct, $1)" != no &&
# If the only mechanism to avoid hardcoding is shlibpath_var, we
# have to relink, otherwise we might link with an installed library
# when we should be linking with a yet-to-be-installed one
## test "$_LT_TAGVAR(hardcode_shlibpath_var, $1)" != no &&
test "$_LT_TAGVAR(hardcode_minus_L, $1)" != no; then
# Linking always hardcodes the temporary library directory.
_LT_TAGVAR(hardcode_action, $1)=relink
else
# We can link without hardcoding, and we can hardcode nonexisting dirs.
_LT_TAGVAR(hardcode_action, $1)=immediate
fi
else
# We cannot hardcode anything, or else we can only hardcode existing
# directories.
_LT_TAGVAR(hardcode_action, $1)=unsupported
fi
AC_MSG_RESULT([$_LT_TAGVAR(hardcode_action, $1)])
if test "$_LT_TAGVAR(hardcode_action, $1)" = relink ||
test "$_LT_TAGVAR(inherit_rpath, $1)" = yes; then
# Fast installation is not supported
enable_fast_install=no
elif test "$shlibpath_overrides_runpath" = yes ||
test "$enable_shared" = no; then
# Fast installation is not necessary
enable_fast_install=needless
fi
_LT_TAGDECL([], [hardcode_action], [0],
[How to hardcode a shared library path into an executable])
])# _LT_LINKER_HARDCODE_LIBPATH
# _LT_CMD_STRIPLIB
# ----------------
m4_defun([_LT_CMD_STRIPLIB],
[m4_require([_LT_DECL_EGREP])
striplib=
old_striplib=
AC_MSG_CHECKING([whether stripping libraries is possible])
if test -n "$STRIP" && $STRIP -V 2>&1 | $GREP "GNU strip" >/dev/null; then
test -z "$old_striplib" && old_striplib="$STRIP --strip-debug"
test -z "$striplib" && striplib="$STRIP --strip-unneeded"
AC_MSG_RESULT([yes])
else
# FIXME - insert some real tests, host_os isn't really good enough
case $host_os in
darwin*)
if test -n "$STRIP" ; then
striplib="$STRIP -x"
old_striplib="$STRIP -S"
AC_MSG_RESULT([yes])
else
AC_MSG_RESULT([no])
fi
;;
*)
AC_MSG_RESULT([no])
;;
esac
fi
_LT_DECL([], [old_striplib], [1], [Commands to strip libraries])
_LT_DECL([], [striplib], [1])
])# _LT_CMD_STRIPLIB
# _LT_SYS_DYNAMIC_LINKER([TAG])
# -----------------------------
# PORTME Fill in your ld.so characteristics
m4_defun([_LT_SYS_DYNAMIC_LINKER],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
m4_require([_LT_DECL_EGREP])dnl
m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_DECL_OBJDUMP])dnl
m4_require([_LT_DECL_SED])dnl
m4_require([_LT_CHECK_SHELL_FEATURES])dnl
AC_MSG_CHECKING([dynamic linker characteristics])
m4_if([$1],
[], [
if test "$GCC" = yes; then
case $host_os in
darwin*) lt_awk_arg="/^libraries:/,/LR/" ;;
*) lt_awk_arg="/^libraries:/" ;;
esac
case $host_os in
mingw* | cegcc*) lt_sed_strip_eq="s,=\([[A-Za-z]]:\),\1,g" ;;
*) lt_sed_strip_eq="s,=/,/,g" ;;
esac
lt_search_path_spec=`$CC -print-search-dirs | awk $lt_awk_arg | $SED -e "s/^libraries://" -e $lt_sed_strip_eq`
case $lt_search_path_spec in
*\;*)
# if the path contains ";" then we assume it to be the separator
# otherwise default to the standard path separator (i.e. ":") - it is
# assumed that no part of a normal pathname contains ";" but that should
# okay in the real world where ";" in dirpaths is itself problematic.
lt_search_path_spec=`$ECHO "$lt_search_path_spec" | $SED 's/;/ /g'`
;;
*)
lt_search_path_spec=`$ECHO "$lt_search_path_spec" | $SED "s/$PATH_SEPARATOR/ /g"`
;;
esac
# Ok, now we have the path, separated by spaces, we can step through it
# and add multilib dir if necessary.
lt_tmp_lt_search_path_spec=
lt_multi_os_dir=`$CC $CPPFLAGS $CFLAGS $LDFLAGS -print-multi-os-directory 2>/dev/null`
for lt_sys_path in $lt_search_path_spec; do
if test -d "$lt_sys_path/$lt_multi_os_dir"; then
lt_tmp_lt_search_path_spec="$lt_tmp_lt_search_path_spec $lt_sys_path/$lt_multi_os_dir"
else
test -d "$lt_sys_path" && \
lt_tmp_lt_search_path_spec="$lt_tmp_lt_search_path_spec $lt_sys_path"
fi
done
lt_search_path_spec=`$ECHO "$lt_tmp_lt_search_path_spec" | awk '
BEGIN {RS=" "; FS="/|\n";} {
lt_foo="";
lt_count=0;
for (lt_i = NF; lt_i > 0; lt_i--) {
if ($lt_i != "" && $lt_i != ".") {
if ($lt_i == "..") {
lt_count++;
} else {
if (lt_count == 0) {
lt_foo="/" $lt_i lt_foo;
} else {
lt_count--;
}
}
}
}
if (lt_foo != "") { lt_freq[[lt_foo]]++; }
if (lt_freq[[lt_foo]] == 1) { print lt_foo; }
}'`
# AWK program above erroneously prepends '/' to C:/dos/paths
# for these hosts.
case $host_os in
mingw* | cegcc*) lt_search_path_spec=`$ECHO "$lt_search_path_spec" |\
$SED 's,/\([[A-Za-z]]:\),\1,g'` ;;
esac
sys_lib_search_path_spec=`$ECHO "$lt_search_path_spec" | $lt_NL2SP`
else
sys_lib_search_path_spec="/lib /usr/lib /usr/local/lib"
fi])
library_names_spec=
libname_spec='lib$name'
soname_spec=
shrext_cmds=".so"
postinstall_cmds=
postuninstall_cmds=
finish_cmds=
finish_eval=
shlibpath_var=
shlibpath_overrides_runpath=unknown
version_type=none
dynamic_linker="$host_os ld.so"
sys_lib_dlsearch_path_spec="/lib /usr/lib"
need_lib_prefix=unknown
hardcode_into_libs=no
# when you set need_version to no, make sure it does not cause -set_version
# flags to be left without arguments
need_version=unknown
case $host_os in
aix3*)
version_type=linux # correct to gnu/linux during the next big refactor
library_names_spec='${libname}${release}${shared_ext}$versuffix $libname.a'
shlibpath_var=LIBPATH
# AIX 3 has no versioning support, so we append a major version to the name.
soname_spec='${libname}${release}${shared_ext}$major'
;;
aix[[4-9]]*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
hardcode_into_libs=yes
if test "$host_cpu" = ia64; then
# AIX 5 supports IA64
library_names_spec='${libname}${release}${shared_ext}$major ${libname}${release}${shared_ext}$versuffix $libname${shared_ext}'
shlibpath_var=LD_LIBRARY_PATH
else
# With GCC up to 2.95.x, collect2 would create an import file
# for dependence libraries. The import file would start with
# the line `#! .'. This would cause the generated library to
# depend on `.', always an invalid library. This was fixed in
# development snapshots of GCC prior to 3.0.
case $host_os in
aix4 | aix4.[[01]] | aix4.[[01]].*)
if { echo '#if __GNUC__ > 2 || (__GNUC__ == 2 && __GNUC_MINOR__ >= 97)'
echo ' yes '
echo '#endif'; } | ${CC} -E - | $GREP yes > /dev/null; then
:
else
can_build_shared=no
fi
;;
esac
# AIX (on Power*) has no versioning support, so currently we can not hardcode correct
# soname into executable. Probably we can add versioning support to
# collect2, so additional links can be useful in future.
if test "$aix_use_runtimelinking" = yes; then
# If using run time linking (on AIX 4.2 or later) use lib<name>.so
# instead of lib<name>.a to let people know that these are not
# typical AIX shared libraries.
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
else
# We preserve .a as extension for shared libraries through AIX4.2
# and later when we are not doing run time linking.
library_names_spec='${libname}${release}.a $libname.a'
soname_spec='${libname}${release}${shared_ext}$major'
fi
shlibpath_var=LIBPATH
fi
;;
amigaos*)
case $host_cpu in
powerpc)
# Since July 2007 AmigaOS4 officially supports .so libraries.
# When compiling the executable, add -use-dynld -Lsobjs: to the compileline.
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
;;
m68k)
library_names_spec='$libname.ixlibrary $libname.a'
# Create ${libname}_ixlibrary.a entries in /sys/libs.
finish_eval='for lib in `ls $libdir/*.ixlibrary 2>/dev/null`; do libname=`func_echo_all "$lib" | $SED '\''s%^.*/\([[^/]]*\)\.ixlibrary$%\1%'\''`; test $RM /sys/libs/${libname}_ixlibrary.a; $show "cd /sys/libs && $LN_S $lib ${libname}_ixlibrary.a"; cd /sys/libs && $LN_S $lib ${libname}_ixlibrary.a || exit 1; done'
;;
esac
;;
beos*)
library_names_spec='${libname}${shared_ext}'
dynamic_linker="$host_os ld.so"
shlibpath_var=LIBRARY_PATH
;;
bsdi[[45]]*)
version_type=linux # correct to gnu/linux during the next big refactor
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
finish_cmds='PATH="\$PATH:/sbin" ldconfig $libdir'
shlibpath_var=LD_LIBRARY_PATH
sys_lib_search_path_spec="/shlib /usr/lib /usr/X11/lib /usr/contrib/lib /lib /usr/local/lib"
sys_lib_dlsearch_path_spec="/shlib /usr/lib /usr/local/lib"
# the default ld.so.conf also contains /usr/contrib/lib and
# /usr/X11R6/lib (/usr/X11 is a link to /usr/X11R6), but let us allow
# libtool to hard-code these into programs
;;
cygwin* | mingw* | pw32* | cegcc*)
version_type=windows
shrext_cmds=".dll"
need_version=no
need_lib_prefix=no
case $GCC,$cc_basename in
yes,*)
# gcc
library_names_spec='$libname.dll.a'
# DLL is installed to $(libdir)/../bin by postinstall_cmds
postinstall_cmds='base_file=`basename \${file}`~
dlpath=`$SHELL 2>&1 -c '\''. $dir/'\''\${base_file}'\''i; echo \$dlname'\''`~
dldir=$destdir/`dirname \$dlpath`~
test -d \$dldir || mkdir -p \$dldir~
$install_prog $dir/$dlname \$dldir/$dlname~
chmod a+x \$dldir/$dlname~
if test -n '\''$stripme'\'' && test -n '\''$striplib'\''; then
eval '\''$striplib \$dldir/$dlname'\'' || exit \$?;
fi'
postuninstall_cmds='dldll=`$SHELL 2>&1 -c '\''. $file; echo \$dlname'\''`~
dlpath=$dir/\$dldll~
$RM \$dlpath'
shlibpath_overrides_runpath=yes
case $host_os in
cygwin*)
# Cygwin DLLs use 'cyg' prefix rather than 'lib'
soname_spec='`echo ${libname} | sed -e 's/^lib/cyg/'``echo ${release} | $SED -e 's/[[.]]/-/g'`${versuffix}${shared_ext}'
m4_if([$1], [],[
sys_lib_search_path_spec="$sys_lib_search_path_spec /usr/lib/w32api"])
;;
mingw* | cegcc*)
# MinGW DLLs use traditional 'lib' prefix
soname_spec='${libname}`echo ${release} | $SED -e 's/[[.]]/-/g'`${versuffix}${shared_ext}'
;;
pw32*)
# pw32 DLLs use 'pw' prefix rather than 'lib'
library_names_spec='`echo ${libname} | sed -e 's/^lib/pw/'``echo ${release} | $SED -e 's/[[.]]/-/g'`${versuffix}${shared_ext}'
;;
esac
dynamic_linker='Win32 ld.exe'
;;
*,cl*)
# Native MSVC
libname_spec='$name'
soname_spec='${libname}`echo ${release} | $SED -e 's/[[.]]/-/g'`${versuffix}${shared_ext}'
library_names_spec='${libname}.dll.lib'
case $build_os in
mingw*)
sys_lib_search_path_spec=
lt_save_ifs=$IFS
IFS=';'
for lt_path in $LIB
do
IFS=$lt_save_ifs
# Let DOS variable expansion print the short 8.3 style file name.
lt_path=`cd "$lt_path" 2>/dev/null && cmd //C "for %i in (".") do @echo %~si"`
sys_lib_search_path_spec="$sys_lib_search_path_spec $lt_path"
done
IFS=$lt_save_ifs
# Convert to MSYS style.
sys_lib_search_path_spec=`$ECHO "$sys_lib_search_path_spec" | sed -e 's|\\\\|/|g' -e 's| \\([[a-zA-Z]]\\):| /\\1|g' -e 's|^ ||'`
;;
cygwin*)
# Convert to unix form, then to dos form, then back to unix form
# but this time dos style (no spaces!) so that the unix form looks
# like /cygdrive/c/PROGRA~1:/cygdr...
sys_lib_search_path_spec=`cygpath --path --unix "$LIB"`
sys_lib_search_path_spec=`cygpath --path --dos "$sys_lib_search_path_spec" 2>/dev/null`
sys_lib_search_path_spec=`cygpath --path --unix "$sys_lib_search_path_spec" | $SED -e "s/$PATH_SEPARATOR/ /g"`
;;
*)
sys_lib_search_path_spec="$LIB"
if $ECHO "$sys_lib_search_path_spec" | [$GREP ';[c-zC-Z]:/' >/dev/null]; then
# It is most probably a Windows format PATH.
sys_lib_search_path_spec=`$ECHO "$sys_lib_search_path_spec" | $SED -e 's/;/ /g'`
else
sys_lib_search_path_spec=`$ECHO "$sys_lib_search_path_spec" | $SED -e "s/$PATH_SEPARATOR/ /g"`
fi
# FIXME: find the short name or the path components, as spaces are
# common. (e.g. "Program Files" -> "PROGRA~1")
;;
esac
# DLL is installed to $(libdir)/../bin by postinstall_cmds
postinstall_cmds='base_file=`basename \${file}`~
dlpath=`$SHELL 2>&1 -c '\''. $dir/'\''\${base_file}'\''i; echo \$dlname'\''`~
dldir=$destdir/`dirname \$dlpath`~
test -d \$dldir || mkdir -p \$dldir~
$install_prog $dir/$dlname \$dldir/$dlname'
postuninstall_cmds='dldll=`$SHELL 2>&1 -c '\''. $file; echo \$dlname'\''`~
dlpath=$dir/\$dldll~
$RM \$dlpath'
shlibpath_overrides_runpath=yes
dynamic_linker='Win32 link.exe'
;;
*)
# Assume MSVC wrapper
library_names_spec='${libname}`echo ${release} | $SED -e 's/[[.]]/-/g'`${versuffix}${shared_ext} $libname.lib'
dynamic_linker='Win32 ld.exe'
;;
esac
# FIXME: first we should search . and the directory the executable is in
shlibpath_var=PATH
;;
darwin* | rhapsody*)
dynamic_linker="$host_os dyld"
version_type=darwin
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${major}$shared_ext ${libname}$shared_ext'
soname_spec='${libname}${release}${major}$shared_ext'
shlibpath_overrides_runpath=yes
shlibpath_var=DYLD_LIBRARY_PATH
shrext_cmds='`test .$module = .yes && echo .so || echo .dylib`'
m4_if([$1], [],[
sys_lib_search_path_spec="$sys_lib_search_path_spec /usr/local/lib"])
sys_lib_dlsearch_path_spec='/usr/local/lib /lib /usr/lib'
;;
dgux*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname$shared_ext'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
;;
freebsd* | dragonfly*)
# DragonFly does not have aout. When/if they implement a new
# versioning mechanism, adjust this.
if test -x /usr/bin/objformat; then
objformat=`/usr/bin/objformat`
else
case $host_os in
freebsd[[23]].*) objformat=aout ;;
*) objformat=elf ;;
esac
fi
version_type=freebsd-$objformat
case $version_type in
freebsd-elf*)
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext} $libname${shared_ext}'
need_version=no
need_lib_prefix=no
;;
freebsd-*)
library_names_spec='${libname}${release}${shared_ext}$versuffix $libname${shared_ext}$versuffix'
need_version=yes
;;
esac
shlibpath_var=LD_LIBRARY_PATH
case $host_os in
freebsd2.*)
shlibpath_overrides_runpath=yes
;;
freebsd3.[[01]]* | freebsdelf3.[[01]]*)
shlibpath_overrides_runpath=yes
hardcode_into_libs=yes
;;
freebsd3.[[2-9]]* | freebsdelf3.[[2-9]]* | \
freebsd4.[[0-5]] | freebsdelf4.[[0-5]] | freebsd4.1.1 | freebsdelf4.1.1)
shlibpath_overrides_runpath=no
hardcode_into_libs=yes
;;
*) # from 4.6 on, and DragonFly
shlibpath_overrides_runpath=yes
hardcode_into_libs=yes
;;
esac
;;
gnu*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}${major} ${libname}${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=no
hardcode_into_libs=yes
;;
haiku*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
dynamic_linker="$host_os runtime_loader"
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}${major} ${libname}${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LIBRARY_PATH
shlibpath_overrides_runpath=yes
sys_lib_dlsearch_path_spec='/boot/home/config/lib /boot/common/lib /boot/system/lib'
hardcode_into_libs=yes
;;
hpux9* | hpux10* | hpux11*)
# Give a soname corresponding to the major version so that dld.sl refuses to
# link against other versions.
version_type=sunos
need_lib_prefix=no
need_version=no
case $host_cpu in
ia64*)
shrext_cmds='.so'
hardcode_into_libs=yes
dynamic_linker="$host_os dld.so"
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes # Unless +noenvvar is specified.
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
if test "X$HPUX_IA64_MODE" = X32; then
sys_lib_search_path_spec="/usr/lib/hpux32 /usr/local/lib/hpux32 /usr/local/lib"
else
sys_lib_search_path_spec="/usr/lib/hpux64 /usr/local/lib/hpux64"
fi
sys_lib_dlsearch_path_spec=$sys_lib_search_path_spec
;;
hppa*64*)
shrext_cmds='.sl'
hardcode_into_libs=yes
dynamic_linker="$host_os dld.sl"
shlibpath_var=LD_LIBRARY_PATH # How should we handle SHLIB_PATH
shlibpath_overrides_runpath=yes # Unless +noenvvar is specified.
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
sys_lib_search_path_spec="/usr/lib/pa20_64 /usr/ccs/lib/pa20_64"
sys_lib_dlsearch_path_spec=$sys_lib_search_path_spec
;;
*)
shrext_cmds='.sl'
dynamic_linker="$host_os dld.sl"
shlibpath_var=SHLIB_PATH
shlibpath_overrides_runpath=no # +s is required to enable SHLIB_PATH
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
;;
esac
# HP-UX runs *really* slowly unless shared libraries are mode 555, ...
postinstall_cmds='chmod 555 $lib'
# or fails outright, so override atomically:
install_override_mode=555
;;
interix[[3-9]]*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major ${libname}${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
dynamic_linker='Interix 3.x ld.so.1 (PE, like ELF)'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=no
hardcode_into_libs=yes
;;
irix5* | irix6* | nonstopux*)
case $host_os in
nonstopux*) version_type=nonstopux ;;
*)
if test "$lt_cv_prog_gnu_ld" = yes; then
version_type=linux # correct to gnu/linux during the next big refactor
else
version_type=irix
fi ;;
esac
need_lib_prefix=no
need_version=no
soname_spec='${libname}${release}${shared_ext}$major'
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major ${libname}${release}${shared_ext} $libname${shared_ext}'
case $host_os in
irix5* | nonstopux*)
libsuff= shlibsuff=
;;
*)
case $LD in # libtool.m4 will add one of these switches to LD
*-32|*"-32 "|*-melf32bsmip|*"-melf32bsmip ")
libsuff= shlibsuff= libmagic=32-bit;;
*-n32|*"-n32 "|*-melf32bmipn32|*"-melf32bmipn32 ")
libsuff=32 shlibsuff=N32 libmagic=N32;;
*-64|*"-64 "|*-melf64bmip|*"-melf64bmip ")
libsuff=64 shlibsuff=64 libmagic=64-bit;;
*) libsuff= shlibsuff= libmagic=never-match;;
esac
;;
esac
shlibpath_var=LD_LIBRARY${shlibsuff}_PATH
shlibpath_overrides_runpath=no
sys_lib_search_path_spec="/usr/lib${libsuff} /lib${libsuff} /usr/local/lib${libsuff}"
sys_lib_dlsearch_path_spec="/usr/lib${libsuff} /lib${libsuff}"
hardcode_into_libs=yes
;;
# No shared lib support for Linux oldld, aout, or coff.
linux*oldld* | linux*aout* | linux*coff*)
dynamic_linker=no
;;
# This must be glibc/ELF.
linux* | k*bsd*-gnu | kopensolaris*-gnu)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
finish_cmds='PATH="\$PATH:/sbin" ldconfig -n $libdir'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=no
# Some binutils ld are patched to set DT_RUNPATH
AC_CACHE_VAL([lt_cv_shlibpath_overrides_runpath],
[lt_cv_shlibpath_overrides_runpath=no
save_LDFLAGS=$LDFLAGS
save_libdir=$libdir
eval "libdir=/foo; wl=\"$_LT_TAGVAR(lt_prog_compiler_wl, $1)\"; \
LDFLAGS=\"\$LDFLAGS $_LT_TAGVAR(hardcode_libdir_flag_spec, $1)\""
AC_LINK_IFELSE([AC_LANG_PROGRAM([],[])],
[AS_IF([ ($OBJDUMP -p conftest$ac_exeext) 2>/dev/null | grep "RUNPATH.*$libdir" >/dev/null],
[lt_cv_shlibpath_overrides_runpath=yes])])
LDFLAGS=$save_LDFLAGS
libdir=$save_libdir
])
shlibpath_overrides_runpath=$lt_cv_shlibpath_overrides_runpath
# This implies no fast_install, which is unacceptable.
# Some rework will be needed to allow for fast_install
# before this can be enabled.
hardcode_into_libs=yes
# Append ld.so.conf contents to the search path
if test -f /etc/ld.so.conf; then
lt_ld_extra=`awk '/^include / { system(sprintf("cd /etc; cat %s 2>/dev/null", \[$]2)); skip = 1; } { if (!skip) print \[$]0; skip = 0; }' < /etc/ld.so.conf | $SED -e 's/#.*//;/^[ ]*hwcap[ ]/d;s/[:, ]/ /g;s/=[^=]*$//;s/=[^= ]* / /g;s/"//g;/^$/d' | tr '\n' ' '`
sys_lib_dlsearch_path_spec="/lib /usr/lib $lt_ld_extra"
fi
# We used to test for /lib/ld.so.1 and disable shared libraries on
# powerpc, because MkLinux only supported shared libraries with the
# GNU dynamic linker. Since this was broken with cross compilers,
# most powerpc-linux boxes support dynamic linking these days and
# people can always --disable-shared, the test was removed, and we
# assume the GNU/Linux dynamic linker is in use.
dynamic_linker='GNU/Linux ld.so'
;;
netbsd*)
version_type=sunos
need_lib_prefix=no
need_version=no
if echo __ELF__ | $CC -E - | $GREP __ELF__ >/dev/null; then
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${shared_ext}$versuffix'
finish_cmds='PATH="\$PATH:/sbin" ldconfig -m $libdir'
dynamic_linker='NetBSD (a.out) ld.so'
else
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major ${libname}${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
dynamic_linker='NetBSD ld.elf_so'
fi
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes
hardcode_into_libs=yes
;;
newsos6)
version_type=linux # correct to gnu/linux during the next big refactor
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes
;;
*nto* | *qnx*)
version_type=qnx
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=no
hardcode_into_libs=yes
dynamic_linker='ldqnx.so'
;;
openbsd*)
version_type=sunos
sys_lib_dlsearch_path_spec="/usr/lib"
need_lib_prefix=no
# Some older versions of OpenBSD (3.3 at least) *do* need versioned libs.
case $host_os in
openbsd3.3 | openbsd3.3.*) need_version=yes ;;
*) need_version=no ;;
esac
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${shared_ext}$versuffix'
finish_cmds='PATH="\$PATH:/sbin" ldconfig -m $libdir'
shlibpath_var=LD_LIBRARY_PATH
if test -z "`echo __ELF__ | $CC -E - | $GREP __ELF__`" || test "$host_os-$host_cpu" = "openbsd2.8-powerpc"; then
case $host_os in
openbsd2.[[89]] | openbsd2.[[89]].*)
shlibpath_overrides_runpath=no
;;
*)
shlibpath_overrides_runpath=yes
;;
esac
else
shlibpath_overrides_runpath=yes
fi
;;
os2*)
libname_spec='$name'
shrext_cmds=".dll"
need_lib_prefix=no
library_names_spec='$libname${shared_ext} $libname.a'
dynamic_linker='OS/2 ld.exe'
shlibpath_var=LIBPATH
;;
osf3* | osf4* | osf5*)
version_type=osf
need_lib_prefix=no
need_version=no
soname_spec='${libname}${release}${shared_ext}$major'
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
shlibpath_var=LD_LIBRARY_PATH
sys_lib_search_path_spec="/usr/shlib /usr/ccs/lib /usr/lib/cmplrs/cc /usr/lib /usr/local/lib /var/shlib"
sys_lib_dlsearch_path_spec="$sys_lib_search_path_spec"
;;
rdos*)
dynamic_linker=no
;;
solaris*)
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes
hardcode_into_libs=yes
# ldd complains unless libraries are executable
postinstall_cmds='chmod +x $lib'
;;
sunos4*)
version_type=sunos
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${shared_ext}$versuffix'
finish_cmds='PATH="\$PATH:/usr/etc" ldconfig $libdir'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes
if test "$with_gnu_ld" = yes; then
need_lib_prefix=no
fi
need_version=yes
;;
sysv4 | sysv4.3*)
version_type=linux # correct to gnu/linux during the next big refactor
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
case $host_vendor in
sni)
shlibpath_overrides_runpath=no
need_lib_prefix=no
runpath_var=LD_RUN_PATH
;;
siemens)
need_lib_prefix=no
;;
motorola)
need_lib_prefix=no
need_version=no
shlibpath_overrides_runpath=no
sys_lib_search_path_spec='/lib /usr/lib /usr/ccs/lib'
;;
esac
;;
sysv4*MP*)
if test -d /usr/nec ;then
version_type=linux # correct to gnu/linux during the next big refactor
library_names_spec='$libname${shared_ext}.$versuffix $libname${shared_ext}.$major $libname${shared_ext}'
soname_spec='$libname${shared_ext}.$major'
shlibpath_var=LD_LIBRARY_PATH
fi
;;
sysv5* | sco3.2v5* | sco5v6* | unixware* | OpenUNIX* | sysv4*uw2*)
version_type=freebsd-elf
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext} $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=yes
hardcode_into_libs=yes
if test "$with_gnu_ld" = yes; then
sys_lib_search_path_spec='/usr/local/lib /usr/gnu/lib /usr/ccs/lib /usr/lib /lib'
else
sys_lib_search_path_spec='/usr/ccs/lib /usr/lib'
case $host_os in
sco3.2v5*)
sys_lib_search_path_spec="$sys_lib_search_path_spec /lib"
;;
esac
fi
sys_lib_dlsearch_path_spec='/usr/lib'
;;
tpf*)
# TPF is a cross-target only. Preferred cross-host = GNU/Linux.
version_type=linux # correct to gnu/linux during the next big refactor
need_lib_prefix=no
need_version=no
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
shlibpath_var=LD_LIBRARY_PATH
shlibpath_overrides_runpath=no
hardcode_into_libs=yes
;;
uts4*)
version_type=linux # correct to gnu/linux during the next big refactor
library_names_spec='${libname}${release}${shared_ext}$versuffix ${libname}${release}${shared_ext}$major $libname${shared_ext}'
soname_spec='${libname}${release}${shared_ext}$major'
shlibpath_var=LD_LIBRARY_PATH
;;
*)
dynamic_linker=no
;;
esac
AC_MSG_RESULT([$dynamic_linker])
test "$dynamic_linker" = no && can_build_shared=no
variables_saved_for_relink="PATH $shlibpath_var $runpath_var"
if test "$GCC" = yes; then
variables_saved_for_relink="$variables_saved_for_relink GCC_EXEC_PREFIX COMPILER_PATH LIBRARY_PATH"
fi
if test "${lt_cv_sys_lib_search_path_spec+set}" = set; then
sys_lib_search_path_spec="$lt_cv_sys_lib_search_path_spec"
fi
if test "${lt_cv_sys_lib_dlsearch_path_spec+set}" = set; then
sys_lib_dlsearch_path_spec="$lt_cv_sys_lib_dlsearch_path_spec"
fi
_LT_DECL([], [variables_saved_for_relink], [1],
[Variables whose values should be saved in libtool wrapper scripts and
restored at link time])
_LT_DECL([], [need_lib_prefix], [0],
[Do we need the "lib" prefix for modules?])
_LT_DECL([], [need_version], [0], [Do we need a version for libraries?])
_LT_DECL([], [version_type], [0], [Library versioning type])
_LT_DECL([], [runpath_var], [0], [Shared library runtime path variable])
_LT_DECL([], [shlibpath_var], [0],[Shared library path variable])
_LT_DECL([], [shlibpath_overrides_runpath], [0],
[Is shlibpath searched before the hard-coded library search path?])
_LT_DECL([], [libname_spec], [1], [Format of library name prefix])
_LT_DECL([], [library_names_spec], [1],
[[List of archive names. First name is the real one, the rest are links.
The last name is the one that the linker finds with -lNAME]])
_LT_DECL([], [soname_spec], [1],
[[The coded name of the library, if different from the real name]])
_LT_DECL([], [install_override_mode], [1],
[Permission mode override for installation of shared libraries])
_LT_DECL([], [postinstall_cmds], [2],
[Command to use after installation of a shared archive])
_LT_DECL([], [postuninstall_cmds], [2],
[Command to use after uninstallation of a shared archive])
_LT_DECL([], [finish_cmds], [2],
[Commands used to finish a libtool library installation in a directory])
_LT_DECL([], [finish_eval], [1],
[[As "finish_cmds", except a single script fragment to be evaled but
not shown]])
_LT_DECL([], [hardcode_into_libs], [0],
[Whether we should hardcode library paths into libraries])
_LT_DECL([], [sys_lib_search_path_spec], [2],
[Compile-time system search path for libraries])
_LT_DECL([], [sys_lib_dlsearch_path_spec], [2],
[Run-time system search path for libraries])
])# _LT_SYS_DYNAMIC_LINKER
# _LT_PATH_TOOL_PREFIX(TOOL)
# --------------------------
# find a file program which can recognize shared library
AC_DEFUN([_LT_PATH_TOOL_PREFIX],
[m4_require([_LT_DECL_EGREP])dnl
AC_MSG_CHECKING([for $1])
AC_CACHE_VAL(lt_cv_path_MAGIC_CMD,
[case $MAGIC_CMD in
[[\\/*] | ?:[\\/]*])
lt_cv_path_MAGIC_CMD="$MAGIC_CMD" # Let the user override the test with a path.
;;
*)
lt_save_MAGIC_CMD="$MAGIC_CMD"
lt_save_ifs="$IFS"; IFS=$PATH_SEPARATOR
dnl $ac_dummy forces splitting on constant user-supplied paths.
dnl POSIX.2 word splitting is done only on the output of word expansions,
dnl not every word. This closes a longstanding sh security hole.
ac_dummy="m4_if([$2], , $PATH, [$2])"
for ac_dir in $ac_dummy; do
IFS="$lt_save_ifs"
test -z "$ac_dir" && ac_dir=.
if test -f $ac_dir/$1; then
lt_cv_path_MAGIC_CMD="$ac_dir/$1"
if test -n "$file_magic_test_file"; then
case $deplibs_check_method in
"file_magic "*)
file_magic_regex=`expr "$deplibs_check_method" : "file_magic \(.*\)"`
MAGIC_CMD="$lt_cv_path_MAGIC_CMD"
if eval $file_magic_cmd \$file_magic_test_file 2> /dev/null |
$EGREP "$file_magic_regex" > /dev/null; then
:
else
cat <<_LT_EOF 1>&2
*** Warning: the command libtool uses to detect shared libraries,
*** $file_magic_cmd, produces output that libtool cannot recognize.
*** The result is that libtool may fail to recognize shared libraries
*** as such. This will affect the creation of libtool libraries that
*** depend on shared libraries, but programs linked with such libtool
*** libraries will work regardless of this problem. Nevertheless, you
*** may want to report the problem to your system manager and/or to
*** bug-libtool@gnu.org
_LT_EOF
fi ;;
esac
fi
break
fi
done
IFS="$lt_save_ifs"
MAGIC_CMD="$lt_save_MAGIC_CMD"
;;
esac])
MAGIC_CMD="$lt_cv_path_MAGIC_CMD"
if test -n "$MAGIC_CMD"; then
AC_MSG_RESULT($MAGIC_CMD)
else
AC_MSG_RESULT(no)
fi
_LT_DECL([], [MAGIC_CMD], [0],
[Used to examine libraries when file_magic_cmd begins with "file"])dnl
])# _LT_PATH_TOOL_PREFIX
# Old name:
AU_ALIAS([AC_PATH_TOOL_PREFIX], [_LT_PATH_TOOL_PREFIX])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_PATH_TOOL_PREFIX], [])
# _LT_PATH_MAGIC
# --------------
# find a file program which can recognize a shared library
m4_defun([_LT_PATH_MAGIC],
[_LT_PATH_TOOL_PREFIX(${ac_tool_prefix}file, /usr/bin$PATH_SEPARATOR$PATH)
if test -z "$lt_cv_path_MAGIC_CMD"; then
if test -n "$ac_tool_prefix"; then
_LT_PATH_TOOL_PREFIX(file, /usr/bin$PATH_SEPARATOR$PATH)
else
MAGIC_CMD=:
fi
fi
])# _LT_PATH_MAGIC
# LT_PATH_LD
# ----------
# find the pathname to the GNU or non-GNU linker
AC_DEFUN([LT_PATH_LD],
[AC_REQUIRE([AC_PROG_CC])dnl
AC_REQUIRE([AC_CANONICAL_HOST])dnl
AC_REQUIRE([AC_CANONICAL_BUILD])dnl
m4_require([_LT_DECL_SED])dnl
m4_require([_LT_DECL_EGREP])dnl
m4_require([_LT_PROG_ECHO_BACKSLASH])dnl
AC_ARG_WITH([gnu-ld],
[AS_HELP_STRING([--with-gnu-ld],
[assume the C compiler uses GNU ld @<:@default=no@:>@])],
[test "$withval" = no || with_gnu_ld=yes],
[with_gnu_ld=no])dnl
ac_prog=ld
if test "$GCC" = yes; then
# Check if gcc -print-prog-name=ld gives a path.
AC_MSG_CHECKING([for ld used by $CC])
case $host in
*-*-mingw*)
# gcc leaves a trailing carriage return which upsets mingw
ac_prog=`($CC -print-prog-name=ld) 2>&5 | tr -d '\015'` ;;
*)
ac_prog=`($CC -print-prog-name=ld) 2>&5` ;;
esac
case $ac_prog in
# Accept absolute paths.
[[\\/]]* | ?:[[\\/]]*)
re_direlt='/[[^/]][[^/]]*/\.\./'
# Canonicalize the pathname of ld
ac_prog=`$ECHO "$ac_prog"| $SED 's%\\\\%/%g'`
while $ECHO "$ac_prog" | $GREP "$re_direlt" > /dev/null 2>&1; do
ac_prog=`$ECHO $ac_prog| $SED "s%$re_direlt%/%"`
done
test -z "$LD" && LD="$ac_prog"
;;
"")
# If it fails, then pretend we aren't using GCC.
ac_prog=ld
;;
*)
# If it is relative, then search for the first ld in PATH.
with_gnu_ld=unknown
;;
esac
elif test "$with_gnu_ld" = yes; then
AC_MSG_CHECKING([for GNU ld])
else
AC_MSG_CHECKING([for non-GNU ld])
fi
AC_CACHE_VAL(lt_cv_path_LD,
[if test -z "$LD"; then
lt_save_ifs="$IFS"; IFS=$PATH_SEPARATOR
for ac_dir in $PATH; do
IFS="$lt_save_ifs"
test -z "$ac_dir" && ac_dir=.
if test -f "$ac_dir/$ac_prog" || test -f "$ac_dir/$ac_prog$ac_exeext"; then
lt_cv_path_LD="$ac_dir/$ac_prog"
# Check to see if the program is GNU ld. I'd rather use --version,
# but apparently some variants of GNU ld only accept -v.
# Break only if it was the GNU/non-GNU ld that we prefer.
case `"$lt_cv_path_LD" -v 2>&1 </dev/null` in
*GNU* | *'with BFD'*)
test "$with_gnu_ld" != no && break
;;
*)
test "$with_gnu_ld" != yes && break
;;
esac
fi
done
IFS="$lt_save_ifs"
else
lt_cv_path_LD="$LD" # Let the user override the test with a path.
fi])
LD="$lt_cv_path_LD"
if test -n "$LD"; then
AC_MSG_RESULT($LD)
else
AC_MSG_RESULT(no)
fi
test -z "$LD" && AC_MSG_ERROR([no acceptable ld found in \$PATH])
_LT_PATH_LD_GNU
AC_SUBST([LD])
_LT_TAGDECL([], [LD], [1], [The linker used to build libraries])
])# LT_PATH_LD
# Old names:
AU_ALIAS([AM_PROG_LD], [LT_PATH_LD])
AU_ALIAS([AC_PROG_LD], [LT_PATH_LD])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AM_PROG_LD], [])
dnl AC_DEFUN([AC_PROG_LD], [])
# _LT_PATH_LD_GNU
#- --------------
m4_defun([_LT_PATH_LD_GNU],
[AC_CACHE_CHECK([if the linker ($LD) is GNU ld], lt_cv_prog_gnu_ld,
[# I'd rather use --version here, but apparently some GNU lds only accept -v.
case `$LD -v 2>&1 </dev/null` in
*GNU* | *'with BFD'*)
lt_cv_prog_gnu_ld=yes
;;
*)
lt_cv_prog_gnu_ld=no
;;
esac])
with_gnu_ld=$lt_cv_prog_gnu_ld
])# _LT_PATH_LD_GNU
# _LT_CMD_RELOAD
# --------------
# find reload flag for linker
# -- PORTME Some linkers may need a different reload flag.
m4_defun([_LT_CMD_RELOAD],
[AC_CACHE_CHECK([for $LD option to reload object files],
lt_cv_ld_reload_flag,
[lt_cv_ld_reload_flag='-r'])
reload_flag=$lt_cv_ld_reload_flag
case $reload_flag in
"" | " "*) ;;
*) reload_flag=" $reload_flag" ;;
esac
reload_cmds='$LD$reload_flag -o $output$reload_objs'
case $host_os in
cygwin* | mingw* | pw32* | cegcc*)
if test "$GCC" != yes; then
reload_cmds=false
fi
;;
darwin*)
if test "$GCC" = yes; then
reload_cmds='$LTCC $LTCFLAGS -nostdlib ${wl}-r -o $output$reload_objs'
else
reload_cmds='$LD$reload_flag -o $output$reload_objs'
fi
;;
esac
_LT_TAGDECL([], [reload_flag], [1], [How to create reloadable object files])dnl
_LT_TAGDECL([], [reload_cmds], [2])dnl
])# _LT_CMD_RELOAD
# _LT_CHECK_MAGIC_METHOD
# ----------------------
# how to check for library dependencies
# -- PORTME fill in with the dynamic library characteristics
m4_defun([_LT_CHECK_MAGIC_METHOD],
[m4_require([_LT_DECL_EGREP])
m4_require([_LT_DECL_OBJDUMP])
AC_CACHE_CHECK([how to recognize dependent libraries],
lt_cv_deplibs_check_method,
[lt_cv_file_magic_cmd='$MAGIC_CMD'
lt_cv_file_magic_test_file=
lt_cv_deplibs_check_method='unknown'
# Need to set the preceding variable on all platforms that support
# interlibrary dependencies.
# 'none' -- dependencies not supported.
# `unknown' -- same as none, but documents that we really don't know.
# 'pass_all' -- all dependencies passed with no checks.
# 'test_compile' -- check by making test program.
# 'file_magic [[regex]]' -- check by looking for files in library path
# which responds to the $file_magic_cmd with a given extended regex.
# If you have `file' or equivalent on your system and you're not sure
# whether `pass_all' will *always* work, you probably want this one.
case $host_os in
aix[[4-9]]*)
lt_cv_deplibs_check_method=pass_all
;;
beos*)
lt_cv_deplibs_check_method=pass_all
;;
bsdi[[45]]*)
lt_cv_deplibs_check_method='file_magic ELF [[0-9]][[0-9]]*-bit [[ML]]SB (shared object|dynamic lib)'
lt_cv_file_magic_cmd='/usr/bin/file -L'
lt_cv_file_magic_test_file=/shlib/libc.so
;;
cygwin*)
# func_win32_libid is a shell function defined in ltmain.sh
lt_cv_deplibs_check_method='file_magic ^x86 archive import|^x86 DLL'
lt_cv_file_magic_cmd='func_win32_libid'
;;
mingw* | pw32*)
# Base MSYS/MinGW do not provide the 'file' command needed by
# func_win32_libid shell function, so use a weaker test based on 'objdump',
# unless we find 'file', for example because we are cross-compiling.
# func_win32_libid assumes BSD nm, so disallow it if using MS dumpbin.
if ( test "$lt_cv_nm_interface" = "BSD nm" && file / ) >/dev/null 2>&1; then
lt_cv_deplibs_check_method='file_magic ^x86 archive import|^x86 DLL'
lt_cv_file_magic_cmd='func_win32_libid'
else
# Keep this pattern in sync with the one in func_win32_libid.
lt_cv_deplibs_check_method='file_magic file format (pei*-i386(.*architecture: i386)?|pe-arm-wince|pe-x86-64)'
lt_cv_file_magic_cmd='$OBJDUMP -f'
fi
;;
cegcc*)
# use the weaker test based on 'objdump'. See mingw*.
lt_cv_deplibs_check_method='file_magic file format pe-arm-.*little(.*architecture: arm)?'
lt_cv_file_magic_cmd='$OBJDUMP -f'
;;
darwin* | rhapsody*)
lt_cv_deplibs_check_method=pass_all
;;
freebsd* | dragonfly*)
if echo __ELF__ | $CC -E - | $GREP __ELF__ > /dev/null; then
case $host_cpu in
i*86 )
# Not sure whether the presence of OpenBSD here was a mistake.
# Let's accept both of them until this is cleared up.
lt_cv_deplibs_check_method='file_magic (FreeBSD|OpenBSD|DragonFly)/i[[3-9]]86 (compact )?demand paged shared library'
lt_cv_file_magic_cmd=/usr/bin/file
lt_cv_file_magic_test_file=`echo /usr/lib/libc.so.*`
;;
esac
else
lt_cv_deplibs_check_method=pass_all
fi
;;
gnu*)
lt_cv_deplibs_check_method=pass_all
;;
haiku*)
lt_cv_deplibs_check_method=pass_all
;;
hpux10.20* | hpux11*)
lt_cv_file_magic_cmd=/usr/bin/file
case $host_cpu in
ia64*)
lt_cv_deplibs_check_method='file_magic (s[[0-9]][[0-9]][[0-9]]|ELF-[[0-9]][[0-9]]) shared object file - IA64'
lt_cv_file_magic_test_file=/usr/lib/hpux32/libc.so
;;
hppa*64*)
[lt_cv_deplibs_check_method='file_magic (s[0-9][0-9][0-9]|ELF[ -][0-9][0-9])(-bit)?( [LM]SB)? shared object( file)?[, -]* PA-RISC [0-9]\.[0-9]']
lt_cv_file_magic_test_file=/usr/lib/pa20_64/libc.sl
;;
*)
lt_cv_deplibs_check_method='file_magic (s[[0-9]][[0-9]][[0-9]]|PA-RISC[[0-9]]\.[[0-9]]) shared library'
lt_cv_file_magic_test_file=/usr/lib/libc.sl
;;
esac
;;
interix[[3-9]]*)
# PIC code is broken on Interix 3.x, that's why |\.a not |_pic\.a here
lt_cv_deplibs_check_method='match_pattern /lib[[^/]]+(\.so|\.a)$'
;;
irix5* | irix6* | nonstopux*)
case $LD in
*-32|*"-32 ") libmagic=32-bit;;
*-n32|*"-n32 ") libmagic=N32;;
*-64|*"-64 ") libmagic=64-bit;;
*) libmagic=never-match;;
esac
lt_cv_deplibs_check_method=pass_all
;;
# This must be glibc/ELF.
linux* | k*bsd*-gnu | kopensolaris*-gnu)
lt_cv_deplibs_check_method=pass_all
;;
netbsd*)
if echo __ELF__ | $CC -E - | $GREP __ELF__ > /dev/null; then
lt_cv_deplibs_check_method='match_pattern /lib[[^/]]+(\.so\.[[0-9]]+\.[[0-9]]+|_pic\.a)$'
else
lt_cv_deplibs_check_method='match_pattern /lib[[^/]]+(\.so|_pic\.a)$'
fi
;;
newos6*)
lt_cv_deplibs_check_method='file_magic ELF [[0-9]][[0-9]]*-bit [[ML]]SB (executable|dynamic lib)'
lt_cv_file_magic_cmd=/usr/bin/file
lt_cv_file_magic_test_file=/usr/lib/libnls.so
;;
*nto* | *qnx*)
lt_cv_deplibs_check_method=pass_all
;;
openbsd*)
if test -z "`echo __ELF__ | $CC -E - | $GREP __ELF__`" || test "$host_os-$host_cpu" = "openbsd2.8-powerpc"; then
lt_cv_deplibs_check_method='match_pattern /lib[[^/]]+(\.so\.[[0-9]]+\.[[0-9]]+|\.so|_pic\.a)$'
else
lt_cv_deplibs_check_method='match_pattern /lib[[^/]]+(\.so\.[[0-9]]+\.[[0-9]]+|_pic\.a)$'
fi
;;
osf3* | osf4* | osf5*)
lt_cv_deplibs_check_method=pass_all
;;
rdos*)
lt_cv_deplibs_check_method=pass_all
;;
solaris*)
lt_cv_deplibs_check_method=pass_all
;;
sysv5* | sco3.2v5* | sco5v6* | unixware* | OpenUNIX* | sysv4*uw2*)
lt_cv_deplibs_check_method=pass_all
;;
sysv4 | sysv4.3*)
case $host_vendor in
motorola)
lt_cv_deplibs_check_method='file_magic ELF [[0-9]][[0-9]]*-bit [[ML]]SB (shared object|dynamic lib) M[[0-9]][[0-9]]* Version [[0-9]]'
lt_cv_file_magic_test_file=`echo /usr/lib/libc.so*`
;;
ncr)
lt_cv_deplibs_check_method=pass_all
;;
sequent)
lt_cv_file_magic_cmd='/bin/file'
lt_cv_deplibs_check_method='file_magic ELF [[0-9]][[0-9]]*-bit [[LM]]SB (shared object|dynamic lib )'
;;
sni)
lt_cv_file_magic_cmd='/bin/file'
lt_cv_deplibs_check_method="file_magic ELF [[0-9]][[0-9]]*-bit [[LM]]SB dynamic lib"
lt_cv_file_magic_test_file=/lib/libc.so
;;
siemens)
lt_cv_deplibs_check_method=pass_all
;;
pc)
lt_cv_deplibs_check_method=pass_all
;;
esac
;;
tpf*)
lt_cv_deplibs_check_method=pass_all
;;
esac
])
file_magic_glob=
want_nocaseglob=no
if test "$build" = "$host"; then
case $host_os in
mingw* | pw32*)
if ( shopt | grep nocaseglob ) >/dev/null 2>&1; then
want_nocaseglob=yes
else
file_magic_glob=`echo aAbBcCdDeEfFgGhHiIjJkKlLmMnNoOpPqQrRsStTuUvVwWxXyYzZ | $SED -e "s/\(..\)/s\/[[\1]]\/[[\1]]\/g;/g"`
fi
;;
esac
fi
file_magic_cmd=$lt_cv_file_magic_cmd
deplibs_check_method=$lt_cv_deplibs_check_method
test -z "$deplibs_check_method" && deplibs_check_method=unknown
_LT_DECL([], [deplibs_check_method], [1],
[Method to check whether dependent libraries are shared objects])
_LT_DECL([], [file_magic_cmd], [1],
[Command to use when deplibs_check_method = "file_magic"])
_LT_DECL([], [file_magic_glob], [1],
[How to find potential files when deplibs_check_method = "file_magic"])
_LT_DECL([], [want_nocaseglob], [1],
[Find potential files using nocaseglob when deplibs_check_method = "file_magic"])
])# _LT_CHECK_MAGIC_METHOD
# LT_PATH_NM
# ----------
# find the pathname to a BSD- or MS-compatible name lister
AC_DEFUN([LT_PATH_NM],
[AC_REQUIRE([AC_PROG_CC])dnl
AC_CACHE_CHECK([for BSD- or MS-compatible name lister (nm)], lt_cv_path_NM,
[if test -n "$NM"; then
# Let the user override the test.
lt_cv_path_NM="$NM"
else
lt_nm_to_check="${ac_tool_prefix}nm"
if test -n "$ac_tool_prefix" && test "$build" = "$host"; then
lt_nm_to_check="$lt_nm_to_check nm"
fi
for lt_tmp_nm in $lt_nm_to_check; do
lt_save_ifs="$IFS"; IFS=$PATH_SEPARATOR
for ac_dir in $PATH /usr/ccs/bin/elf /usr/ccs/bin /usr/ucb /bin; do
IFS="$lt_save_ifs"
test -z "$ac_dir" && ac_dir=.
tmp_nm="$ac_dir/$lt_tmp_nm"
if test -f "$tmp_nm" || test -f "$tmp_nm$ac_exeext" ; then
# Check to see if the nm accepts a BSD-compat flag.
# Adding the `sed 1q' prevents false positives on HP-UX, which says:
# nm: unknown option "B" ignored
# Tru64's nm complains that /dev/null is an invalid object file
case `"$tmp_nm" -B /dev/null 2>&1 | sed '1q'` in
*/dev/null* | *'Invalid file or object type'*)
lt_cv_path_NM="$tmp_nm -B"
break
;;
*)
case `"$tmp_nm" -p /dev/null 2>&1 | sed '1q'` in
*/dev/null*)
lt_cv_path_NM="$tmp_nm -p"
break
;;
*)
lt_cv_path_NM=${lt_cv_path_NM="$tmp_nm"} # keep the first match, but
continue # so that we can try to find one that supports BSD flags
;;
esac
;;
esac
fi
done
IFS="$lt_save_ifs"
done
: ${lt_cv_path_NM=no}
fi])
if test "$lt_cv_path_NM" != "no"; then
NM="$lt_cv_path_NM"
else
# Didn't find any BSD compatible name lister, look for dumpbin.
if test -n "$DUMPBIN"; then :
# Let the user override the test.
else
AC_CHECK_TOOLS(DUMPBIN, [dumpbin "link -dump"], :)
case `$DUMPBIN -symbols /dev/null 2>&1 | sed '1q'` in
*COFF*)
DUMPBIN="$DUMPBIN -symbols"
;;
*)
DUMPBIN=:
;;
esac
fi
AC_SUBST([DUMPBIN])
if test "$DUMPBIN" != ":"; then
NM="$DUMPBIN"
fi
fi
test -z "$NM" && NM=nm
AC_SUBST([NM])
_LT_DECL([], [NM], [1], [A BSD- or MS-compatible name lister])dnl
AC_CACHE_CHECK([the name lister ($NM) interface], [lt_cv_nm_interface],
[lt_cv_nm_interface="BSD nm"
echo "int some_variable = 0;" > conftest.$ac_ext
(eval echo "\"\$as_me:$LINENO: $ac_compile\"" >&AS_MESSAGE_LOG_FD)
(eval "$ac_compile" 2>conftest.err)
cat conftest.err >&AS_MESSAGE_LOG_FD
(eval echo "\"\$as_me:$LINENO: $NM \\\"conftest.$ac_objext\\\"\"" >&AS_MESSAGE_LOG_FD)
(eval "$NM \"conftest.$ac_objext\"" 2>conftest.err > conftest.out)
cat conftest.err >&AS_MESSAGE_LOG_FD
(eval echo "\"\$as_me:$LINENO: output\"" >&AS_MESSAGE_LOG_FD)
cat conftest.out >&AS_MESSAGE_LOG_FD
if $GREP 'External.*some_variable' conftest.out > /dev/null; then
lt_cv_nm_interface="MS dumpbin"
fi
rm -f conftest*])
])# LT_PATH_NM
# Old names:
AU_ALIAS([AM_PROG_NM], [LT_PATH_NM])
AU_ALIAS([AC_PROG_NM], [LT_PATH_NM])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AM_PROG_NM], [])
dnl AC_DEFUN([AC_PROG_NM], [])
# _LT_CHECK_SHAREDLIB_FROM_LINKLIB
# --------------------------------
# how to determine the name of the shared library
# associated with a specific link library.
# -- PORTME fill in with the dynamic library characteristics
m4_defun([_LT_CHECK_SHAREDLIB_FROM_LINKLIB],
[m4_require([_LT_DECL_EGREP])
m4_require([_LT_DECL_OBJDUMP])
m4_require([_LT_DECL_DLLTOOL])
AC_CACHE_CHECK([how to associate runtime and link libraries],
lt_cv_sharedlib_from_linklib_cmd,
[lt_cv_sharedlib_from_linklib_cmd='unknown'
case $host_os in
cygwin* | mingw* | pw32* | cegcc*)
# two different shell functions defined in ltmain.sh
# decide which to use based on capabilities of $DLLTOOL
case `$DLLTOOL --help 2>&1` in
*--identify-strict*)
lt_cv_sharedlib_from_linklib_cmd=func_cygming_dll_for_implib
;;
*)
lt_cv_sharedlib_from_linklib_cmd=func_cygming_dll_for_implib_fallback
;;
esac
;;
*)
# fallback: assume linklib IS sharedlib
lt_cv_sharedlib_from_linklib_cmd="$ECHO"
;;
esac
])
sharedlib_from_linklib_cmd=$lt_cv_sharedlib_from_linklib_cmd
test -z "$sharedlib_from_linklib_cmd" && sharedlib_from_linklib_cmd=$ECHO
_LT_DECL([], [sharedlib_from_linklib_cmd], [1],
[Command to associate shared and link libraries])
])# _LT_CHECK_SHAREDLIB_FROM_LINKLIB
# _LT_PATH_MANIFEST_TOOL
# ----------------------
# locate the manifest tool
m4_defun([_LT_PATH_MANIFEST_TOOL],
[AC_CHECK_TOOL(MANIFEST_TOOL, mt, :)
test -z "$MANIFEST_TOOL" && MANIFEST_TOOL=mt
AC_CACHE_CHECK([if $MANIFEST_TOOL is a manifest tool], [lt_cv_path_mainfest_tool],
[lt_cv_path_mainfest_tool=no
echo "$as_me:$LINENO: $MANIFEST_TOOL '-?'" >&AS_MESSAGE_LOG_FD
$MANIFEST_TOOL '-?' 2>conftest.err > conftest.out
cat conftest.err >&AS_MESSAGE_LOG_FD
if $GREP 'Manifest Tool' conftest.out > /dev/null; then
lt_cv_path_mainfest_tool=yes
fi
rm -f conftest*])
if test "x$lt_cv_path_mainfest_tool" != xyes; then
MANIFEST_TOOL=:
fi
_LT_DECL([], [MANIFEST_TOOL], [1], [Manifest tool])dnl
])# _LT_PATH_MANIFEST_TOOL
# LT_LIB_M
# --------
# check for math library
AC_DEFUN([LT_LIB_M],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
LIBM=
case $host in
*-*-beos* | *-*-cegcc* | *-*-cygwin* | *-*-haiku* | *-*-pw32* | *-*-darwin*)
# These system don't have libm, or don't need it
;;
*-ncr-sysv4.3*)
AC_CHECK_LIB(mw, _mwvalidcheckl, LIBM="-lmw")
AC_CHECK_LIB(m, cos, LIBM="$LIBM -lm")
;;
*)
AC_CHECK_LIB(m, cos, LIBM="-lm")
;;
esac
AC_SUBST([LIBM])
])# LT_LIB_M
# Old name:
AU_ALIAS([AC_CHECK_LIBM], [LT_LIB_M])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_CHECK_LIBM], [])
# _LT_COMPILER_NO_RTTI([TAGNAME])
# -------------------------------
m4_defun([_LT_COMPILER_NO_RTTI],
[m4_require([_LT_TAG_COMPILER])dnl
_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)=
if test "$GCC" = yes; then
case $cc_basename in
nvcc*)
_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)=' -Xcompiler -fno-builtin' ;;
*)
_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)=' -fno-builtin' ;;
esac
_LT_COMPILER_OPTION([if $compiler supports -fno-rtti -fno-exceptions],
lt_cv_prog_compiler_rtti_exceptions,
[-fno-rtti -fno-exceptions], [],
[_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)="$_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1) -fno-rtti -fno-exceptions"])
fi
_LT_TAGDECL([no_builtin_flag], [lt_prog_compiler_no_builtin_flag], [1],
[Compiler flag to turn off builtin functions])
])# _LT_COMPILER_NO_RTTI
# _LT_CMD_GLOBAL_SYMBOLS
# ----------------------
m4_defun([_LT_CMD_GLOBAL_SYMBOLS],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
AC_REQUIRE([AC_PROG_CC])dnl
AC_REQUIRE([AC_PROG_AWK])dnl
AC_REQUIRE([LT_PATH_NM])dnl
AC_REQUIRE([LT_PATH_LD])dnl
m4_require([_LT_DECL_SED])dnl
m4_require([_LT_DECL_EGREP])dnl
m4_require([_LT_TAG_COMPILER])dnl
# Check for command to grab the raw symbol name followed by C symbol from nm.
AC_MSG_CHECKING([command to parse $NM output from $compiler object])
AC_CACHE_VAL([lt_cv_sys_global_symbol_pipe],
[
# These are sane defaults that work on at least a few old systems.
# [They come from Ultrix. What could be older than Ultrix?!! ;)]
# Character class describing NM global symbol codes.
symcode='[[BCDEGRST]]'
# Regexp to match symbols that can be accessed directly from C.
sympat='\([[_A-Za-z]][[_A-Za-z0-9]]*\)'
# Define system-specific variables.
case $host_os in
aix*)
symcode='[[BCDT]]'
;;
cygwin* | mingw* | pw32* | cegcc*)
symcode='[[ABCDGISTW]]'
;;
hpux*)
if test "$host_cpu" = ia64; then
symcode='[[ABCDEGRST]]'
fi
;;
irix* | nonstopux*)
symcode='[[BCDEGRST]]'
;;
osf*)
symcode='[[BCDEGQRST]]'
;;
solaris*)
symcode='[[BDRT]]'
;;
sco3.2v5*)
symcode='[[DT]]'
;;
sysv4.2uw2*)
symcode='[[DT]]'
;;
sysv5* | sco5v6* | unixware* | OpenUNIX*)
symcode='[[ABDT]]'
;;
sysv4)
symcode='[[DFNSTU]]'
;;
esac
# If we're using GNU nm, then use its standard symbol codes.
case `$NM -V 2>&1` in
*GNU* | *'with BFD'*)
symcode='[[ABCDGIRSTW]]' ;;
esac
# Transform an extracted symbol line into a proper C declaration.
# Some systems (esp. on ia64) link data and code symbols differently,
# so use this general approach.
lt_cv_sys_global_symbol_to_cdecl="sed -n -e 's/^T .* \(.*\)$/extern int \1();/p' -e 's/^$symcode* .* \(.*\)$/extern char \1;/p'"
# Transform an extracted symbol line into symbol name and symbol address
lt_cv_sys_global_symbol_to_c_name_address="sed -n -e 's/^: \([[^ ]]*\)[[ ]]*$/ {\\\"\1\\\", (void *) 0},/p' -e 's/^$symcode* \([[^ ]]*\) \([[^ ]]*\)$/ {\"\2\", (void *) \&\2},/p'"
lt_cv_sys_global_symbol_to_c_name_address_lib_prefix="sed -n -e 's/^: \([[^ ]]*\)[[ ]]*$/ {\\\"\1\\\", (void *) 0},/p' -e 's/^$symcode* \([[^ ]]*\) \(lib[[^ ]]*\)$/ {\"\2\", (void *) \&\2},/p' -e 's/^$symcode* \([[^ ]]*\) \([[^ ]]*\)$/ {\"lib\2\", (void *) \&\2},/p'"
# Handle CRLF in mingw tool chain
opt_cr=
case $build_os in
mingw*)
opt_cr=`$ECHO 'x\{0,1\}' | tr x '\015'` # option cr in regexp
;;
esac
# Try without a prefix underscore, then with it.
for ac_symprfx in "" "_"; do
# Transform symcode, sympat, and symprfx into a raw symbol and a C symbol.
symxfrm="\\1 $ac_symprfx\\2 \\2"
# Write the raw and C identifiers.
if test "$lt_cv_nm_interface" = "MS dumpbin"; then
# Fake it for dumpbin and say T for any non-static function
# and D for any global variable.
# Also find C++ and __fastcall symbols from MSVC++,
# which start with @ or ?.
lt_cv_sys_global_symbol_pipe="$AWK ['"\
" {last_section=section; section=\$ 3};"\
" /^COFF SYMBOL TABLE/{for(i in hide) delete hide[i]};"\
" /Section length .*#relocs.*(pick any)/{hide[last_section]=1};"\
" \$ 0!~/External *\|/{next};"\
" / 0+ UNDEF /{next}; / UNDEF \([^|]\)*()/{next};"\
" {if(hide[section]) next};"\
" {f=0}; \$ 0~/\(\).*\|/{f=1}; {printf f ? \"T \" : \"D \"};"\
" {split(\$ 0, a, /\||\r/); split(a[2], s)};"\
" s[1]~/^[@?]/{print s[1], s[1]; next};"\
" s[1]~prfx {split(s[1],t,\"@\"); print t[1], substr(t[1],length(prfx))}"\
" ' prfx=^$ac_symprfx]"
else
lt_cv_sys_global_symbol_pipe="sed -n -e 's/^.*[[ ]]\($symcode$symcode*\)[[ ]][[ ]]*$ac_symprfx$sympat$opt_cr$/$symxfrm/p'"
fi
lt_cv_sys_global_symbol_pipe="$lt_cv_sys_global_symbol_pipe | sed '/ __gnu_lto/d'"
# Check to see that the pipe works correctly.
pipe_works=no
rm -f conftest*
cat > conftest.$ac_ext <<_LT_EOF
#ifdef __cplusplus
extern "C" {
#endif
char nm_test_var;
void nm_test_func(void);
void nm_test_func(void){}
#ifdef __cplusplus
}
#endif
int main(){nm_test_var='a';nm_test_func();return(0);}
_LT_EOF
if AC_TRY_EVAL(ac_compile); then
# Now try to grab the symbols.
nlist=conftest.nm
if AC_TRY_EVAL(NM conftest.$ac_objext \| "$lt_cv_sys_global_symbol_pipe" \> $nlist) && test -s "$nlist"; then
# Try sorting and uniquifying the output.
if sort "$nlist" | uniq > "$nlist"T; then
mv -f "$nlist"T "$nlist"
else
rm -f "$nlist"T
fi
# Make sure that we snagged all the symbols we need.
if $GREP ' nm_test_var$' "$nlist" >/dev/null; then
if $GREP ' nm_test_func$' "$nlist" >/dev/null; then
cat <<_LT_EOF > conftest.$ac_ext
/* Keep this code in sync between libtool.m4, ltmain, lt_system.h, and tests. */
#if defined(_WIN32) || defined(__CYGWIN__) || defined(_WIN32_WCE)
/* DATA imports from DLLs on WIN32 con't be const, because runtime
relocations are performed -- see ld's documentation on pseudo-relocs. */
# define LT@&t@_DLSYM_CONST
#elif defined(__osf__)
/* This system does not cope well with relocations in const data. */
# define LT@&t@_DLSYM_CONST
#else
# define LT@&t@_DLSYM_CONST const
#endif
#ifdef __cplusplus
extern "C" {
#endif
_LT_EOF
# Now generate the symbol file.
eval "$lt_cv_sys_global_symbol_to_cdecl"' < "$nlist" | $GREP -v main >> conftest.$ac_ext'
cat <<_LT_EOF >> conftest.$ac_ext
/* The mapping between symbol names and symbols. */
LT@&t@_DLSYM_CONST struct {
const char *name;
void *address;
}
lt__PROGRAM__LTX_preloaded_symbols[[]] =
{
{ "@PROGRAM@", (void *) 0 },
_LT_EOF
$SED "s/^$symcode$symcode* \(.*\) \(.*\)$/ {\"\2\", (void *) \&\2},/" < "$nlist" | $GREP -v main >> conftest.$ac_ext
cat <<\_LT_EOF >> conftest.$ac_ext
{0, (void *) 0}
};
/* This works around a problem in FreeBSD linker */
#ifdef FREEBSD_WORKAROUND
static const void *lt_preloaded_setup() {
return lt__PROGRAM__LTX_preloaded_symbols;
}
#endif
#ifdef __cplusplus
}
#endif
_LT_EOF
# Now try linking the two files.
mv conftest.$ac_objext conftstm.$ac_objext
lt_globsym_save_LIBS=$LIBS
lt_globsym_save_CFLAGS=$CFLAGS
LIBS="conftstm.$ac_objext"
CFLAGS="$CFLAGS$_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)"
if AC_TRY_EVAL(ac_link) && test -s conftest${ac_exeext}; then
pipe_works=yes
fi
LIBS=$lt_globsym_save_LIBS
CFLAGS=$lt_globsym_save_CFLAGS
else
echo "cannot find nm_test_func in $nlist" >&AS_MESSAGE_LOG_FD
fi
else
echo "cannot find nm_test_var in $nlist" >&AS_MESSAGE_LOG_FD
fi
else
echo "cannot run $lt_cv_sys_global_symbol_pipe" >&AS_MESSAGE_LOG_FD
fi
else
echo "$progname: failed program was:" >&AS_MESSAGE_LOG_FD
cat conftest.$ac_ext >&5
fi
rm -rf conftest* conftst*
# Do not use the global_symbol_pipe unless it works.
if test "$pipe_works" = yes; then
break
else
lt_cv_sys_global_symbol_pipe=
fi
done
])
if test -z "$lt_cv_sys_global_symbol_pipe"; then
lt_cv_sys_global_symbol_to_cdecl=
fi
if test -z "$lt_cv_sys_global_symbol_pipe$lt_cv_sys_global_symbol_to_cdecl"; then
AC_MSG_RESULT(failed)
else
AC_MSG_RESULT(ok)
fi
# Response file support.
if test "$lt_cv_nm_interface" = "MS dumpbin"; then
nm_file_list_spec='@'
elif $NM --help 2>/dev/null | grep '[[@]]FILE' >/dev/null; then
nm_file_list_spec='@'
fi
_LT_DECL([global_symbol_pipe], [lt_cv_sys_global_symbol_pipe], [1],
[Take the output of nm and produce a listing of raw symbols and C names])
_LT_DECL([global_symbol_to_cdecl], [lt_cv_sys_global_symbol_to_cdecl], [1],
[Transform the output of nm in a proper C declaration])
_LT_DECL([global_symbol_to_c_name_address],
[lt_cv_sys_global_symbol_to_c_name_address], [1],
[Transform the output of nm in a C name address pair])
_LT_DECL([global_symbol_to_c_name_address_lib_prefix],
[lt_cv_sys_global_symbol_to_c_name_address_lib_prefix], [1],
[Transform the output of nm in a C name address pair when lib prefix is needed])
_LT_DECL([], [nm_file_list_spec], [1],
[Specify filename containing input files for $NM])
]) # _LT_CMD_GLOBAL_SYMBOLS
# _LT_COMPILER_PIC([TAGNAME])
# ---------------------------
m4_defun([_LT_COMPILER_PIC],
[m4_require([_LT_TAG_COMPILER])dnl
_LT_TAGVAR(lt_prog_compiler_wl, $1)=
_LT_TAGVAR(lt_prog_compiler_pic, $1)=
_LT_TAGVAR(lt_prog_compiler_static, $1)=
m4_if([$1], [CXX], [
# C++ specific cases for pic, static, wl, etc.
if test "$GXX" = yes; then
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
case $host_os in
aix*)
# All AIX code is PIC.
if test "$host_cpu" = ia64; then
# AIX 5 now supports IA64 processor
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
fi
;;
amigaos*)
case $host_cpu in
powerpc)
# see comment about AmigaOS4 .so support
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
m68k)
# FIXME: we need at least 68020 code to build shared libraries, but
# adding the `-m68020' flag to GCC prevents building anything better,
# like `-m68040'.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-m68020 -resident32 -malways-restore-a4'
;;
esac
;;
beos* | irix5* | irix6* | nonstopux* | osf3* | osf4* | osf5*)
# PIC is the default for these OSes.
;;
mingw* | cygwin* | os2* | pw32* | cegcc*)
# This hack is so that the source file can tell whether it is being
# built for inclusion in a dll (and should export symbols for example).
# Although the cygwin gcc ignores -fPIC, still need this for old-style
# (--disable-auto-import) libraries
m4_if([$1], [GCJ], [],
[_LT_TAGVAR(lt_prog_compiler_pic, $1)='-DDLL_EXPORT'])
;;
darwin* | rhapsody*)
# PIC is the default on this platform
# Common symbols not allowed in MH_DYLIB files
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fno-common'
;;
*djgpp*)
# DJGPP does not support shared libraries at all
_LT_TAGVAR(lt_prog_compiler_pic, $1)=
;;
haiku*)
# PIC is the default for Haiku.
# The "-static" flag exists, but is broken.
_LT_TAGVAR(lt_prog_compiler_static, $1)=
;;
interix[[3-9]]*)
# Interix 3.x gcc -fpic/-fPIC options generate broken code.
# Instead, we relocate shared libraries at runtime.
;;
sysv4*MP*)
if test -d /usr/nec; then
_LT_TAGVAR(lt_prog_compiler_pic, $1)=-Kconform_pic
fi
;;
hpux*)
# PIC is the default for 64-bit PA HP-UX, but not for 32-bit
# PA HP-UX. On IA64 HP-UX, PIC is the default but the pic flag
# sets the default TLS model and affects inlining.
case $host_cpu in
hppa*64*)
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
esac
;;
*qnx* | *nto*)
# QNX uses GNU C++, but need to define -shared option too, otherwise
# it will coredump.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC -shared'
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
esac
else
case $host_os in
aix[[4-9]]*)
# All AIX code is PIC.
if test "$host_cpu" = ia64; then
# AIX 5 now supports IA64 processor
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
else
_LT_TAGVAR(lt_prog_compiler_static, $1)='-bnso -bI:/lib/syscalls.exp'
fi
;;
chorus*)
case $cc_basename in
cxch68*)
# Green Hills C++ Compiler
# _LT_TAGVAR(lt_prog_compiler_static, $1)="--no_auto_instantiation -u __main -u __premain -u _abort -r $COOL_DIR/lib/libOrb.a $MVME_DIR/lib/CC/libC.a $MVME_DIR/lib/classix/libcx.s.a"
;;
esac
;;
mingw* | cygwin* | os2* | pw32* | cegcc*)
# This hack is so that the source file can tell whether it is being
# built for inclusion in a dll (and should export symbols for example).
m4_if([$1], [GCJ], [],
[_LT_TAGVAR(lt_prog_compiler_pic, $1)='-DDLL_EXPORT'])
;;
dgux*)
case $cc_basename in
ec++*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
;;
ghcx*)
# Green Hills C++ Compiler
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-pic'
;;
*)
;;
esac
;;
freebsd* | dragonfly*)
# FreeBSD uses GNU C++
;;
hpux9* | hpux10* | hpux11*)
case $cc_basename in
CC*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_static, $1)='${wl}-a ${wl}archive'
if test "$host_cpu" != ia64; then
_LT_TAGVAR(lt_prog_compiler_pic, $1)='+Z'
fi
;;
aCC*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_static, $1)='${wl}-a ${wl}archive'
case $host_cpu in
hppa*64*|ia64*)
# +Z the default
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='+Z'
;;
esac
;;
*)
;;
esac
;;
interix*)
# This is c89, which is MS Visual C++ (no shared libs)
# Anyone wants to do a port?
;;
irix5* | irix6* | nonstopux*)
case $cc_basename in
CC*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
# CC pic flag -KPIC is the default.
;;
*)
;;
esac
;;
linux* | k*bsd*-gnu | kopensolaris*-gnu)
case $cc_basename in
KCC*)
# KAI C++ Compiler
_LT_TAGVAR(lt_prog_compiler_wl, $1)='--backend -Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
ecpc* )
# old Intel C++ for x86_64 which still supported -KPIC.
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
;;
icpc* )
# Intel C++, used to be incompatible with GCC.
# ICC 10 doesn't accept -KPIC any more.
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
;;
pgCC* | pgcpp*)
# Portland Group C++ compiler
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fpic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
cxx*)
# Compaq C++
# Make sure the PIC flag is empty. It appears that all Alpha
# Linux and Compaq Tru64 Unix objects are PIC.
_LT_TAGVAR(lt_prog_compiler_pic, $1)=
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
xlc* | xlC* | bgxl[[cC]]* | mpixl[[cC]]*)
# IBM XL 8.0, 9.0 on PPC and BlueGene
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-qpic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-qstaticlink'
;;
*)
case `$CC -V 2>&1 | sed 5q` in
*Sun\ C*)
# Sun C++ 5.9
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Qoption ld '
;;
esac
;;
esac
;;
lynxos*)
;;
m88k*)
;;
mvs*)
case $cc_basename in
cxx*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-W c,exportall'
;;
*)
;;
esac
;;
netbsd*)
;;
*qnx* | *nto*)
# QNX uses GNU C++, but need to define -shared option too, otherwise
# it will coredump.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC -shared'
;;
osf3* | osf4* | osf5*)
case $cc_basename in
KCC*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='--backend -Wl,'
;;
RCC*)
# Rational C++ 2.4.1
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-pic'
;;
cxx*)
# Digital/Compaq C++
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
# Make sure the PIC flag is empty. It appears that all Alpha
# Linux and Compaq Tru64 Unix objects are PIC.
_LT_TAGVAR(lt_prog_compiler_pic, $1)=
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
*)
;;
esac
;;
psos*)
;;
solaris*)
case $cc_basename in
CC* | sunCC*)
# Sun C++ 4.2, 5.x and Centerline C++
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Qoption ld '
;;
gcx*)
# Green Hills C++ Compiler
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-PIC'
;;
*)
;;
esac
;;
sunos4*)
case $cc_basename in
CC*)
# Sun C++ 4.x
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-pic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
lcc*)
# Lucid
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-pic'
;;
*)
;;
esac
;;
sysv5* | unixware* | sco3.2v5* | sco5v6* | OpenUNIX*)
case $cc_basename in
CC*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
esac
;;
tandem*)
case $cc_basename in
NCC*)
# NonStop-UX NCC 3.20
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
;;
*)
;;
esac
;;
vxworks*)
;;
*)
_LT_TAGVAR(lt_prog_compiler_can_build_shared, $1)=no
;;
esac
fi
],
[
if test "$GCC" = yes; then
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
case $host_os in
aix*)
# All AIX code is PIC.
if test "$host_cpu" = ia64; then
# AIX 5 now supports IA64 processor
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
fi
;;
amigaos*)
case $host_cpu in
powerpc)
# see comment about AmigaOS4 .so support
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
m68k)
# FIXME: we need at least 68020 code to build shared libraries, but
# adding the `-m68020' flag to GCC prevents building anything better,
# like `-m68040'.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-m68020 -resident32 -malways-restore-a4'
;;
esac
;;
beos* | irix5* | irix6* | nonstopux* | osf3* | osf4* | osf5*)
# PIC is the default for these OSes.
;;
mingw* | cygwin* | pw32* | os2* | cegcc*)
# This hack is so that the source file can tell whether it is being
# built for inclusion in a dll (and should export symbols for example).
# Although the cygwin gcc ignores -fPIC, still need this for old-style
# (--disable-auto-import) libraries
m4_if([$1], [GCJ], [],
[_LT_TAGVAR(lt_prog_compiler_pic, $1)='-DDLL_EXPORT'])
;;
darwin* | rhapsody*)
# PIC is the default on this platform
# Common symbols not allowed in MH_DYLIB files
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fno-common'
;;
haiku*)
# PIC is the default for Haiku.
# The "-static" flag exists, but is broken.
_LT_TAGVAR(lt_prog_compiler_static, $1)=
;;
hpux*)
# PIC is the default for 64-bit PA HP-UX, but not for 32-bit
# PA HP-UX. On IA64 HP-UX, PIC is the default but the pic flag
# sets the default TLS model and affects inlining.
case $host_cpu in
hppa*64*)
# +Z the default
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
esac
;;
interix[[3-9]]*)
# Interix 3.x gcc -fpic/-fPIC options generate broken code.
# Instead, we relocate shared libraries at runtime.
;;
msdosdjgpp*)
# Just because we use GCC doesn't mean we suddenly get shared libraries
# on systems that don't support them.
_LT_TAGVAR(lt_prog_compiler_can_build_shared, $1)=no
enable_shared=no
;;
*nto* | *qnx*)
# QNX uses GNU C++, but need to define -shared option too, otherwise
# it will coredump.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC -shared'
;;
sysv4*MP*)
if test -d /usr/nec; then
_LT_TAGVAR(lt_prog_compiler_pic, $1)=-Kconform_pic
fi
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
;;
esac
case $cc_basename in
nvcc*) # Cuda Compiler Driver 2.2
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Xlinker '
if test -n "$_LT_TAGVAR(lt_prog_compiler_pic, $1)"; then
_LT_TAGVAR(lt_prog_compiler_pic, $1)="-Xcompiler $_LT_TAGVAR(lt_prog_compiler_pic, $1)"
fi
;;
esac
else
# PORTME Check for flag to pass linker flags through the system compiler.
case $host_os in
aix*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
if test "$host_cpu" = ia64; then
# AIX 5 now supports IA64 processor
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
else
_LT_TAGVAR(lt_prog_compiler_static, $1)='-bnso -bI:/lib/syscalls.exp'
fi
;;
mingw* | cygwin* | pw32* | os2* | cegcc*)
# This hack is so that the source file can tell whether it is being
# built for inclusion in a dll (and should export symbols for example).
m4_if([$1], [GCJ], [],
[_LT_TAGVAR(lt_prog_compiler_pic, $1)='-DDLL_EXPORT'])
;;
hpux9* | hpux10* | hpux11*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
# PIC is the default for IA64 HP-UX and 64-bit HP-UX, but
# not for PA HP-UX.
case $host_cpu in
hppa*64*|ia64*)
# +Z the default
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='+Z'
;;
esac
# Is there a better lt_prog_compiler_static that works with the bundled CC?
_LT_TAGVAR(lt_prog_compiler_static, $1)='${wl}-a ${wl}archive'
;;
irix5* | irix6* | nonstopux*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
# PIC (with -KPIC) is the default.
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
linux* | k*bsd*-gnu | kopensolaris*-gnu)
case $cc_basename in
# old Intel for x86_64 which still supported -KPIC.
ecc*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
;;
# icc used to be incompatible with GCC.
# ICC 10 doesn't accept -KPIC any more.
icc* | ifort*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
;;
# Lahey Fortran 8.1.
lf95*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='--shared'
_LT_TAGVAR(lt_prog_compiler_static, $1)='--static'
;;
nagfor*)
# NAG Fortran compiler
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,-Wl,,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-PIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
pgcc* | pgf77* | pgf90* | pgf95* | pgfortran*)
# Portland Group compilers (*not* the Pentium gcc compiler,
# which looks to be a dead project)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fpic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
ccc*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
# All Alpha code is PIC.
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
xl* | bgxl* | bgf* | mpixl*)
# IBM XL C 8.0/Fortran 10.1, 11.1 on PPC and BlueGene
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-qpic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-qstaticlink'
;;
*)
case `$CC -V 2>&1 | sed 5q` in
*Sun\ Ceres\ Fortran* | *Sun*Fortran*\ [[1-7]].* | *Sun*Fortran*\ 8.[[0-3]]*)
# Sun Fortran 8.3 passes all unrecognized flags to the linker
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
_LT_TAGVAR(lt_prog_compiler_wl, $1)=''
;;
*Sun\ F* | *Sun*Fortran*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Qoption ld '
;;
*Sun\ C*)
# Sun C 5.9
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
;;
*Intel*\ [[CF]]*Compiler*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-static'
;;
*Portland\ Group*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fpic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
esac
;;
esac
;;
newsos6)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
*nto* | *qnx*)
# QNX uses GNU C++, but need to define -shared option too, otherwise
# it will coredump.
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-fPIC -shared'
;;
osf3* | osf4* | osf5*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
# All OSF/1 code is PIC.
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
rdos*)
_LT_TAGVAR(lt_prog_compiler_static, $1)='-non_shared'
;;
solaris*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
case $cc_basename in
f77* | f90* | f95* | sunf77* | sunf90* | sunf95*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Qoption ld ';;
*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,';;
esac
;;
sunos4*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Qoption ld '
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-PIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
sysv4 | sysv4.2uw2* | sysv4.3*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
sysv4*MP*)
if test -d /usr/nec ;then
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-Kconform_pic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
fi
;;
sysv5* | unixware* | sco3.2v5* | sco5v6* | OpenUNIX*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-KPIC'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
unicos*)
_LT_TAGVAR(lt_prog_compiler_wl, $1)='-Wl,'
_LT_TAGVAR(lt_prog_compiler_can_build_shared, $1)=no
;;
uts4*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)='-pic'
_LT_TAGVAR(lt_prog_compiler_static, $1)='-Bstatic'
;;
*)
_LT_TAGVAR(lt_prog_compiler_can_build_shared, $1)=no
;;
esac
fi
])
case $host_os in
# For platforms which do not support PIC, -DPIC is meaningless:
*djgpp*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)=
;;
*)
_LT_TAGVAR(lt_prog_compiler_pic, $1)="$_LT_TAGVAR(lt_prog_compiler_pic, $1)@&t@m4_if([$1],[],[ -DPIC],[m4_if([$1],[CXX],[ -DPIC],[])])"
;;
esac
AC_CACHE_CHECK([for $compiler option to produce PIC],
[_LT_TAGVAR(lt_cv_prog_compiler_pic, $1)],
[_LT_TAGVAR(lt_cv_prog_compiler_pic, $1)=$_LT_TAGVAR(lt_prog_compiler_pic, $1)])
_LT_TAGVAR(lt_prog_compiler_pic, $1)=$_LT_TAGVAR(lt_cv_prog_compiler_pic, $1)
#
# Check to make sure the PIC flag actually works.
#
if test -n "$_LT_TAGVAR(lt_prog_compiler_pic, $1)"; then
_LT_COMPILER_OPTION([if $compiler PIC flag $_LT_TAGVAR(lt_prog_compiler_pic, $1) works],
[_LT_TAGVAR(lt_cv_prog_compiler_pic_works, $1)],
[$_LT_TAGVAR(lt_prog_compiler_pic, $1)@&t@m4_if([$1],[],[ -DPIC],[m4_if([$1],[CXX],[ -DPIC],[])])], [],
[case $_LT_TAGVAR(lt_prog_compiler_pic, $1) in
"" | " "*) ;;
*) _LT_TAGVAR(lt_prog_compiler_pic, $1)=" $_LT_TAGVAR(lt_prog_compiler_pic, $1)" ;;
esac],
[_LT_TAGVAR(lt_prog_compiler_pic, $1)=
_LT_TAGVAR(lt_prog_compiler_can_build_shared, $1)=no])
fi
_LT_TAGDECL([pic_flag], [lt_prog_compiler_pic], [1],
[Additional compiler flags for building library objects])
_LT_TAGDECL([wl], [lt_prog_compiler_wl], [1],
[How to pass a linker flag through the compiler])
#
# Check to make sure the static flag actually works.
#
wl=$_LT_TAGVAR(lt_prog_compiler_wl, $1) eval lt_tmp_static_flag=\"$_LT_TAGVAR(lt_prog_compiler_static, $1)\"
_LT_LINKER_OPTION([if $compiler static flag $lt_tmp_static_flag works],
_LT_TAGVAR(lt_cv_prog_compiler_static_works, $1),
$lt_tmp_static_flag,
[],
[_LT_TAGVAR(lt_prog_compiler_static, $1)=])
_LT_TAGDECL([link_static_flag], [lt_prog_compiler_static], [1],
[Compiler flag to prevent dynamic linking])
])# _LT_COMPILER_PIC
# _LT_LINKER_SHLIBS([TAGNAME])
# ----------------------------
# See if the linker supports building shared libraries.
m4_defun([_LT_LINKER_SHLIBS],
[AC_REQUIRE([LT_PATH_LD])dnl
AC_REQUIRE([LT_PATH_NM])dnl
m4_require([_LT_PATH_MANIFEST_TOOL])dnl
m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_DECL_EGREP])dnl
m4_require([_LT_DECL_SED])dnl
m4_require([_LT_CMD_GLOBAL_SYMBOLS])dnl
m4_require([_LT_TAG_COMPILER])dnl
AC_MSG_CHECKING([whether the $compiler linker ($LD) supports shared libraries])
m4_if([$1], [CXX], [
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED '\''s/.* //'\'' | sort | uniq > $export_symbols'
_LT_TAGVAR(exclude_expsyms, $1)=['_GLOBAL_OFFSET_TABLE_|_GLOBAL__F[ID]_.*']
case $host_os in
aix[[4-9]]*)
# If we're using GNU nm, then we don't want the "-C" option.
# -C means demangle to AIX nm, but means don't demangle with GNU nm
# Also, AIX nm treats weak defined symbols like other global defined
# symbols, whereas GNU nm marks them as "W".
if $NM -V 2>&1 | $GREP 'GNU' > /dev/null; then
_LT_TAGVAR(export_symbols_cmds, $1)='$NM -Bpg $libobjs $convenience | awk '\''{ if (((\$ 2 == "T") || (\$ 2 == "D") || (\$ 2 == "B") || (\$ 2 == "W")) && ([substr](\$ 3,1,1) != ".")) { print \$ 3 } }'\'' | sort -u > $export_symbols'
else
_LT_TAGVAR(export_symbols_cmds, $1)='$NM -BCpg $libobjs $convenience | awk '\''{ if (((\$ 2 == "T") || (\$ 2 == "D") || (\$ 2 == "B")) && ([substr](\$ 3,1,1) != ".")) { print \$ 3 } }'\'' | sort -u > $export_symbols'
fi
;;
pw32*)
_LT_TAGVAR(export_symbols_cmds, $1)="$ltdll_cmds"
;;
cygwin* | mingw* | cegcc*)
case $cc_basename in
cl*)
_LT_TAGVAR(exclude_expsyms, $1)='_NULL_IMPORT_DESCRIPTOR|_IMPORT_DESCRIPTOR_.*'
;;
*)
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED -e '\''/^[[BCDGRS]][[ ]]/s/.*[[ ]]\([[^ ]]*\)/\1 DATA/;s/^.*[[ ]]__nm__\([[^ ]]*\)[[ ]][[^ ]]*/\1 DATA/;/^I[[ ]]/d;/^[[AITW]][[ ]]/s/.* //'\'' | sort | uniq > $export_symbols'
_LT_TAGVAR(exclude_expsyms, $1)=['[_]+GLOBAL_OFFSET_TABLE_|[_]+GLOBAL__[FID]_.*|[_]+head_[A-Za-z0-9_]+_dll|[A-Za-z0-9_]+_dll_iname']
;;
esac
;;
*)
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED '\''s/.* //'\'' | sort | uniq > $export_symbols'
;;
esac
], [
runpath_var=
_LT_TAGVAR(allow_undefined_flag, $1)=
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(archive_cmds, $1)=
_LT_TAGVAR(archive_expsym_cmds, $1)=
_LT_TAGVAR(compiler_needs_object, $1)=no
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=no
_LT_TAGVAR(export_dynamic_flag_spec, $1)=
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED '\''s/.* //'\'' | sort | uniq > $export_symbols'
_LT_TAGVAR(hardcode_automatic, $1)=no
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=
_LT_TAGVAR(hardcode_libdir_separator, $1)=
_LT_TAGVAR(hardcode_minus_L, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=unsupported
_LT_TAGVAR(inherit_rpath, $1)=no
_LT_TAGVAR(link_all_deplibs, $1)=unknown
_LT_TAGVAR(module_cmds, $1)=
_LT_TAGVAR(module_expsym_cmds, $1)=
_LT_TAGVAR(old_archive_from_new_cmds, $1)=
_LT_TAGVAR(old_archive_from_expsyms_cmds, $1)=
_LT_TAGVAR(thread_safe_flag_spec, $1)=
_LT_TAGVAR(whole_archive_flag_spec, $1)=
# include_expsyms should be a list of space-separated symbols to be *always*
# included in the symbol list
_LT_TAGVAR(include_expsyms, $1)=
# exclude_expsyms can be an extended regexp of symbols to exclude
# it will be wrapped by ` (' and `)$', so one must not match beginning or
# end of line. Example: `a|bc|.*d.*' will exclude the symbols `a' and `bc',
# as well as any symbol that contains `d'.
_LT_TAGVAR(exclude_expsyms, $1)=['_GLOBAL_OFFSET_TABLE_|_GLOBAL__F[ID]_.*']
# Although _GLOBAL_OFFSET_TABLE_ is a valid symbol C name, most a.out
# platforms (ab)use it in PIC code, but their linkers get confused if
# the symbol is explicitly referenced. Since portable code cannot
# rely on this symbol name, it's probably fine to never include it in
# preloaded symbol tables.
# Exclude shared library initialization/finalization symbols.
dnl Note also adjust exclude_expsyms for C++ above.
extract_expsyms_cmds=
case $host_os in
cygwin* | mingw* | pw32* | cegcc*)
# FIXME: the MSVC++ port hasn't been tested in a loooong time
# When not using gcc, we currently assume that we are using
# Microsoft Visual C++.
if test "$GCC" != yes; then
with_gnu_ld=no
fi
;;
interix*)
# we just hope/assume this is gcc and not c89 (= MSVC++)
with_gnu_ld=yes
;;
openbsd*)
with_gnu_ld=no
;;
esac
_LT_TAGVAR(ld_shlibs, $1)=yes
# On some targets, GNU ld is compatible enough with the native linker
# that we're better off using the native interface for both.
lt_use_gnu_ld_interface=no
if test "$with_gnu_ld" = yes; then
case $host_os in
aix*)
# The AIX port of GNU ld has always aspired to compatibility
# with the native linker. However, as the warning in the GNU ld
# block says, versions before 2.19.5* couldn't really create working
# shared libraries, regardless of the interface used.
case `$LD -v 2>&1` in
*\ \(GNU\ Binutils\)\ 2.19.5*) ;;
*\ \(GNU\ Binutils\)\ 2.[[2-9]]*) ;;
*\ \(GNU\ Binutils\)\ [[3-9]]*) ;;
*)
lt_use_gnu_ld_interface=yes
;;
esac
;;
*)
lt_use_gnu_ld_interface=yes
;;
esac
fi
if test "$lt_use_gnu_ld_interface" = yes; then
# If archive_cmds runs LD, not CC, wlarc should be empty
wlarc='${wl}'
# Set some defaults for GNU ld with shared library support. These
# are reset later if shared libraries are not supported. Putting them
# here allows them to be overridden if necessary.
runpath_var=LD_RUN_PATH
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
# ancient GNU ld didn't support --whole-archive et. al.
if $LD --help 2>&1 | $GREP 'no-whole-archive' > /dev/null; then
_LT_TAGVAR(whole_archive_flag_spec, $1)="$wlarc"'--whole-archive$convenience '"$wlarc"'--no-whole-archive'
else
_LT_TAGVAR(whole_archive_flag_spec, $1)=
fi
supports_anon_versioning=no
case `$LD -v 2>&1` in
*GNU\ gold*) supports_anon_versioning=yes ;;
*\ [[01]].* | *\ 2.[[0-9]].* | *\ 2.10.*) ;; # catch versions < 2.11
*\ 2.11.93.0.2\ *) supports_anon_versioning=yes ;; # RH7.3 ...
*\ 2.11.92.0.12\ *) supports_anon_versioning=yes ;; # Mandrake 8.2 ...
*\ 2.11.*) ;; # other 2.11 versions
*) supports_anon_versioning=yes ;;
esac
# See if GNU ld supports shared libraries.
case $host_os in
aix[[3-9]]*)
# On AIX/PPC, the GNU linker is very broken
if test "$host_cpu" != ia64; then
_LT_TAGVAR(ld_shlibs, $1)=no
cat <<_LT_EOF 1>&2
*** Warning: the GNU linker, at least up to release 2.19, is reported
*** to be unable to reliably create shared libraries on AIX.
*** Therefore, libtool is disabling shared libraries support. If you
*** really care for shared libraries, you may want to install binutils
*** 2.20 or above, or modify your PATH so that a non-GNU linker is found.
*** You will then need to restart the configuration process.
_LT_EOF
fi
;;
amigaos*)
case $host_cpu in
powerpc)
# see comment about AmigaOS4 .so support
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)=''
;;
m68k)
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/a2ixlibrary.data~$ECHO "#define NAME $libname" > $output_objdir/a2ixlibrary.data~$ECHO "#define LIBRARY_ID 1" >> $output_objdir/a2ixlibrary.data~$ECHO "#define VERSION $major" >> $output_objdir/a2ixlibrary.data~$ECHO "#define REVISION $revision" >> $output_objdir/a2ixlibrary.data~$AR $AR_FLAGS $lib $libobjs~$RANLIB $lib~(cd $output_objdir && a2ixlibrary -32)'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_minus_L, $1)=yes
;;
esac
;;
beos*)
if $LD --help 2>&1 | $GREP ': supported targets:.* elf' > /dev/null; then
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
# Joseph Beckenbach <jrb3@best.com> says some releases of gcc
# support --undefined. This deserves some investigation. FIXME
_LT_TAGVAR(archive_cmds, $1)='$CC -nostart $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
cygwin* | mingw* | pw32* | cegcc*)
# _LT_TAGVAR(hardcode_libdir_flag_spec, $1) is actually meaningless,
# as there is no search path for DLLs.
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-all-symbols'
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=yes
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED -e '\''/^[[BCDGRS]][[ ]]/s/.*[[ ]]\([[^ ]]*\)/\1 DATA/;s/^.*[[ ]]__nm__\([[^ ]]*\)[[ ]][[^ ]]*/\1 DATA/;/^I[[ ]]/d;/^[[AITW]][[ ]]/s/.* //'\'' | sort | uniq > $export_symbols'
_LT_TAGVAR(exclude_expsyms, $1)=['[_]+GLOBAL_OFFSET_TABLE_|[_]+GLOBAL__[FID]_.*|[_]+head_[A-Za-z0-9_]+_dll|[A-Za-z0-9_]+_dll_iname']
if $LD --help 2>&1 | $GREP 'auto-import' > /dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags -o $output_objdir/$soname ${wl}--enable-auto-image-base -Xlinker --out-implib -Xlinker $lib'
# If the export-symbols file already is a .def file (1st line
# is EXPORTS), use it as is; otherwise, prepend...
_LT_TAGVAR(archive_expsym_cmds, $1)='if test "x`$SED 1q $export_symbols`" = xEXPORTS; then
cp $export_symbols $output_objdir/$soname.def;
else
echo EXPORTS > $output_objdir/$soname.def;
cat $export_symbols >> $output_objdir/$soname.def;
fi~
$CC -shared $output_objdir/$soname.def $libobjs $deplibs $compiler_flags -o $output_objdir/$soname ${wl}--enable-auto-image-base -Xlinker --out-implib -Xlinker $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
haiku*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(link_all_deplibs, $1)=yes
;;
interix[[3-9]]*)
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
# Hack: On Interix 3.x, we cannot compile PIC because of a broken gcc.
# Instead, shared libraries are loaded at an image base (0x10000000 by
# default) and relocated if they conflict, which is a slow very memory
# consuming and fragmenting process. To avoid this, we pick a random,
# 256 KiB-aligned image base between 0x50000000 and 0x6FFC0000 at link
# time. Moving up from 0x10000000 also allows more sbrk(2) space.
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-h,$soname ${wl}--image-base,`expr ${RANDOM-$$} % 4096 / 2 \* 262144 + 1342177280` -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='sed "s,^,_," $export_symbols >$output_objdir/$soname.expsym~$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-h,$soname ${wl}--retain-symbols-file,$output_objdir/$soname.expsym ${wl}--image-base,`expr ${RANDOM-$$} % 4096 / 2 \* 262144 + 1342177280` -o $lib'
;;
gnu* | linux* | tpf* | k*bsd*-gnu | kopensolaris*-gnu)
tmp_diet=no
if test "$host_os" = linux-dietlibc; then
case $cc_basename in
diet\ *) tmp_diet=yes;; # linux-dietlibc with static linking (!diet-dyn)
esac
fi
if $LD --help 2>&1 | $EGREP ': supported targets:.* elf' > /dev/null \
&& test "$tmp_diet" = no
then
tmp_addflag=' $pic_flag'
tmp_sharedflag='-shared'
case $cc_basename,$host_cpu in
pgcc*) # Portland Group C compiler
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`for conv in $convenience\"\"; do test -n \"$conv\" && new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
tmp_addflag=' $pic_flag'
;;
pgf77* | pgf90* | pgf95* | pgfortran*)
# Portland Group f77 and f90 compilers
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`for conv in $convenience\"\"; do test -n \"$conv\" && new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
tmp_addflag=' $pic_flag -Mnomain' ;;
ecc*,ia64* | icc*,ia64*) # Intel C compiler on ia64
tmp_addflag=' -i_dynamic' ;;
efc*,ia64* | ifort*,ia64*) # Intel Fortran compiler on ia64
tmp_addflag=' -i_dynamic -nofor_main' ;;
ifc* | ifort*) # Intel Fortran compiler
tmp_addflag=' -nofor_main' ;;
lf95*) # Lahey Fortran 8.1
_LT_TAGVAR(whole_archive_flag_spec, $1)=
tmp_sharedflag='--shared' ;;
xl[[cC]]* | bgxl[[cC]]* | mpixl[[cC]]*) # IBM XL C 8.0 on PPC (deal with xlf below)
tmp_sharedflag='-qmkshrobj'
tmp_addflag= ;;
nvcc*) # Cuda Compiler Driver 2.2
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`for conv in $convenience\"\"; do test -n \"$conv\" && new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
_LT_TAGVAR(compiler_needs_object, $1)=yes
;;
esac
case `$CC -V 2>&1 | sed 5q` in
*Sun\ C*) # Sun C 5.9
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`new_convenience=; for conv in $convenience\"\"; do test -z \"$conv\" || new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
_LT_TAGVAR(compiler_needs_object, $1)=yes
tmp_sharedflag='-G' ;;
*Sun\ F*) # Sun Fortran 8.3
tmp_sharedflag='-G' ;;
esac
_LT_TAGVAR(archive_cmds, $1)='$CC '"$tmp_sharedflag""$tmp_addflag"' $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
if test "x$supports_anon_versioning" = xyes; then
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $output_objdir/$libname.ver~
cat $export_symbols | sed -e "s/\(.*\)/\1;/" >> $output_objdir/$libname.ver~
echo "local: *; };" >> $output_objdir/$libname.ver~
$CC '"$tmp_sharedflag""$tmp_addflag"' $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-version-script ${wl}$output_objdir/$libname.ver -o $lib'
fi
case $cc_basename in
xlf* | bgf* | bgxlf* | mpixlf*)
# IBM XL Fortran 10.1 on PPC cannot create shared libs itself
_LT_TAGVAR(whole_archive_flag_spec, $1)='--whole-archive$convenience --no-whole-archive'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(archive_cmds, $1)='$LD -shared $libobjs $deplibs $linker_flags -soname $soname -o $lib'
if test "x$supports_anon_versioning" = xyes; then
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $output_objdir/$libname.ver~
cat $export_symbols | sed -e "s/\(.*\)/\1;/" >> $output_objdir/$libname.ver~
echo "local: *; };" >> $output_objdir/$libname.ver~
$LD -shared $libobjs $deplibs $linker_flags -soname $soname -version-script $output_objdir/$libname.ver -o $lib'
fi
;;
esac
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
netbsd*)
if echo __ELF__ | $CC -E - | $GREP __ELF__ >/dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable $libobjs $deplibs $linker_flags -o $lib'
wlarc=
else
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
fi
;;
solaris*)
if $LD -v 2>&1 | $GREP 'BFD 2\.8' > /dev/null; then
_LT_TAGVAR(ld_shlibs, $1)=no
cat <<_LT_EOF 1>&2
*** Warning: The releases 2.8.* of the GNU linker cannot reliably
*** create shared libraries on Solaris systems. Therefore, libtool
*** is disabling shared libraries support. We urge you to upgrade GNU
*** binutils to release 2.9.1 or newer. Another option is to modify
*** your PATH or compiler configuration so that the native linker is
*** used, and then restart.
_LT_EOF
elif $LD --help 2>&1 | $GREP ': supported targets:.* elf' > /dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
sysv5* | sco3.2v5* | sco5v6* | unixware* | OpenUNIX*)
case `$LD -v 2>&1` in
*\ [[01]].* | *\ 2.[[0-9]].* | *\ 2.1[[0-5]].*)
_LT_TAGVAR(ld_shlibs, $1)=no
cat <<_LT_EOF 1>&2
*** Warning: Releases of the GNU linker prior to 2.16.91.0.3 can not
*** reliably create shared libraries on SCO systems. Therefore, libtool
*** is disabling shared libraries support. We urge you to upgrade GNU
*** binutils to release 2.16.91.0.3 or newer. Another option is to modify
*** your PATH or compiler configuration so that the native linker is
*** used, and then restart.
_LT_EOF
;;
*)
# For security reasons, it is highly recommended that you always
# use absolute paths for naming shared libraries, and exclude the
# DT_RUNPATH tag from executables and libraries. But doing so
# requires that you compile everything twice, which is a pain.
if $LD --help 2>&1 | $GREP ': supported targets:.* elf' > /dev/null; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
;;
sunos4*)
_LT_TAGVAR(archive_cmds, $1)='$LD -assert pure-text -Bshareable -o $lib $libobjs $deplibs $linker_flags'
wlarc=
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
*)
if $LD --help 2>&1 | $GREP ': supported targets:.* elf' > /dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
if test "$_LT_TAGVAR(ld_shlibs, $1)" = no; then
runpath_var=
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=
_LT_TAGVAR(export_dynamic_flag_spec, $1)=
_LT_TAGVAR(whole_archive_flag_spec, $1)=
fi
else
# PORTME fill in a description of your system's linker (not GNU ld)
case $host_os in
aix3*)
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(always_export_symbols, $1)=yes
_LT_TAGVAR(archive_expsym_cmds, $1)='$LD -o $output_objdir/$soname $libobjs $deplibs $linker_flags -bE:$export_symbols -T512 -H512 -bM:SRE~$AR $AR_FLAGS $lib $output_objdir/$soname'
# Note: this linker hardcodes the directories in LIBPATH if there
# are no directories specified by -L.
_LT_TAGVAR(hardcode_minus_L, $1)=yes
if test "$GCC" = yes && test -z "$lt_prog_compiler_static"; then
# Neither direct hardcoding nor static linking is supported with a
# broken collect2.
_LT_TAGVAR(hardcode_direct, $1)=unsupported
fi
;;
aix[[4-9]]*)
if test "$host_cpu" = ia64; then
# On IA64, the linker does run time linking by default, so we don't
# have to do anything special.
aix_use_runtimelinking=no
exp_sym_flag='-Bexport'
no_entry_flag=""
else
# If we're using GNU nm, then we don't want the "-C" option.
# -C means demangle to AIX nm, but means don't demangle with GNU nm
# Also, AIX nm treats weak defined symbols like other global
# defined symbols, whereas GNU nm marks them as "W".
if $NM -V 2>&1 | $GREP 'GNU' > /dev/null; then
_LT_TAGVAR(export_symbols_cmds, $1)='$NM -Bpg $libobjs $convenience | awk '\''{ if (((\$ 2 == "T") || (\$ 2 == "D") || (\$ 2 == "B") || (\$ 2 == "W")) && ([substr](\$ 3,1,1) != ".")) { print \$ 3 } }'\'' | sort -u > $export_symbols'
else
_LT_TAGVAR(export_symbols_cmds, $1)='$NM -BCpg $libobjs $convenience | awk '\''{ if (((\$ 2 == "T") || (\$ 2 == "D") || (\$ 2 == "B")) && ([substr](\$ 3,1,1) != ".")) { print \$ 3 } }'\'' | sort -u > $export_symbols'
fi
aix_use_runtimelinking=no
# Test if we are trying to use run time linking or normal
# AIX style linking. If -brtl is somewhere in LDFLAGS, we
# need to do runtime linking.
case $host_os in aix4.[[23]]|aix4.[[23]].*|aix[[5-9]]*)
for ld_flag in $LDFLAGS; do
if (test $ld_flag = "-brtl" || test $ld_flag = "-Wl,-brtl"); then
aix_use_runtimelinking=yes
break
fi
done
;;
esac
exp_sym_flag='-bexport'
no_entry_flag='-bnoentry'
fi
# When large executables or shared objects are built, AIX ld can
# have problems creating the table of contents. If linking a library
# or program results in "error TOC overflow" add -mminimal-toc to
# CXXFLAGS/CFLAGS for g++/gcc. In the cases where that is not
# enough to fix the problem, add -Wl,-bbigtoc to LDFLAGS.
_LT_TAGVAR(archive_cmds, $1)=''
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(hardcode_libdir_separator, $1)=':'
_LT_TAGVAR(link_all_deplibs, $1)=yes
_LT_TAGVAR(file_list_spec, $1)='${wl}-f,'
if test "$GCC" = yes; then
case $host_os in aix4.[[012]]|aix4.[[012]].*)
# We only want to do this on AIX 4.2 and lower, the check
# below for broken collect2 doesn't work under 4.3+
collect2name=`${CC} -print-prog-name=collect2`
if test -f "$collect2name" &&
strings "$collect2name" | $GREP resolve_lib_name >/dev/null
then
# We have reworked collect2
:
else
# We have old collect2
_LT_TAGVAR(hardcode_direct, $1)=unsupported
# It fails to find uninstalled libraries when the uninstalled
# path is not listed in the libpath. Setting hardcode_minus_L
# to unsupported forces relinking
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=
fi
;;
esac
shared_flag='-shared'
if test "$aix_use_runtimelinking" = yes; then
shared_flag="$shared_flag "'${wl}-G'
fi
else
# not using gcc
if test "$host_cpu" = ia64; then
# VisualAge C++, Version 5.5 for AIX 5L for IA-64, Beta 3 Release
# chokes on -Wl,-G. The following line is correct:
shared_flag='-G'
else
if test "$aix_use_runtimelinking" = yes; then
shared_flag='${wl}-G'
else
shared_flag='${wl}-bM:SRE'
fi
fi
fi
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-bexpall'
# It seems that -bexpall does not export symbols beginning with
# underscore (_), so it is better to generate a list of symbols to export.
_LT_TAGVAR(always_export_symbols, $1)=yes
if test "$aix_use_runtimelinking" = yes; then
# Warning - without using the other runtime loading flags (-brtl),
# -berok will link without error, but may produce a broken library.
_LT_TAGVAR(allow_undefined_flag, $1)='-berok'
# Determine the default libpath from the value encoded in an
# empty executable.
_LT_SYS_MODULE_PATH_AIX([$1])
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-blibpath:$libdir:'"$aix_libpath"
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -o $output_objdir/$soname $libobjs $deplibs '"\${wl}$no_entry_flag"' $compiler_flags `if test "x${allow_undefined_flag}" != "x"; then func_echo_all "${wl}${allow_undefined_flag}"; else :; fi` '"\${wl}$exp_sym_flag:\$export_symbols $shared_flag"
else
if test "$host_cpu" = ia64; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-R $libdir:/usr/lib:/lib'
_LT_TAGVAR(allow_undefined_flag, $1)="-z nodefs"
_LT_TAGVAR(archive_expsym_cmds, $1)="\$CC $shared_flag"' -o $output_objdir/$soname $libobjs $deplibs '"\${wl}$no_entry_flag"' $compiler_flags ${wl}${allow_undefined_flag} '"\${wl}$exp_sym_flag:\$export_symbols"
else
# Determine the default libpath from the value encoded in an
# empty executable.
_LT_SYS_MODULE_PATH_AIX([$1])
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-blibpath:$libdir:'"$aix_libpath"
# Warning - without using the other run time loading flags,
# -berok will link without error, but may produce a broken library.
_LT_TAGVAR(no_undefined_flag, $1)=' ${wl}-bernotok'
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-berok'
if test "$with_gnu_ld" = yes; then
# We only use this code for GNU lds that support --whole-archive.
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive$convenience ${wl}--no-whole-archive'
else
# Exported symbols can be pulled into shared objects from archives
_LT_TAGVAR(whole_archive_flag_spec, $1)='$convenience'
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)=yes
# This is similar to how AIX traditionally builds its shared libraries.
_LT_TAGVAR(archive_expsym_cmds, $1)="\$CC $shared_flag"' -o $output_objdir/$soname $libobjs $deplibs ${wl}-bnoentry $compiler_flags ${wl}-bE:$export_symbols${allow_undefined_flag}~$AR $AR_FLAGS $output_objdir/$libname$release.a $output_objdir/$soname'
fi
fi
;;
amigaos*)
case $host_cpu in
powerpc)
# see comment about AmigaOS4 .so support
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)=''
;;
m68k)
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/a2ixlibrary.data~$ECHO "#define NAME $libname" > $output_objdir/a2ixlibrary.data~$ECHO "#define LIBRARY_ID 1" >> $output_objdir/a2ixlibrary.data~$ECHO "#define VERSION $major" >> $output_objdir/a2ixlibrary.data~$ECHO "#define REVISION $revision" >> $output_objdir/a2ixlibrary.data~$AR $AR_FLAGS $lib $libobjs~$RANLIB $lib~(cd $output_objdir && a2ixlibrary -32)'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_minus_L, $1)=yes
;;
esac
;;
bsdi[[45]]*)
_LT_TAGVAR(export_dynamic_flag_spec, $1)=-rdynamic
;;
cygwin* | mingw* | pw32* | cegcc*)
# When not using gcc, we currently assume that we are using
# Microsoft Visual C++.
# hardcode_libdir_flag_spec is actually meaningless, as there is
# no search path for DLLs.
case $cc_basename in
cl*)
# Native MSVC
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=' '
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(always_export_symbols, $1)=yes
_LT_TAGVAR(file_list_spec, $1)='@'
# Tell ltmain to make .lib files, not .a files.
libext=lib
# Tell ltmain to make .dll files, not .so files.
shrext_cmds=".dll"
# FIXME: Setting linknames here is a bad hack.
_LT_TAGVAR(archive_cmds, $1)='$CC -o $output_objdir/$soname $libobjs $compiler_flags $deplibs -Wl,-dll~linknames='
_LT_TAGVAR(archive_expsym_cmds, $1)='if test "x`$SED 1q $export_symbols`" = xEXPORTS; then
sed -n -e 's/\\\\\\\(.*\\\\\\\)/-link\\\ -EXPORT:\\\\\\\1/' -e '1\\\!p' < $export_symbols > $output_objdir/$soname.exp;
else
sed -e 's/\\\\\\\(.*\\\\\\\)/-link\\\ -EXPORT:\\\\\\\1/' < $export_symbols > $output_objdir/$soname.exp;
fi~
$CC -o $tool_output_objdir$soname $libobjs $compiler_flags $deplibs "@$tool_output_objdir$soname.exp" -Wl,-DLL,-IMPLIB:"$tool_output_objdir$libname.dll.lib"~
linknames='
# The linker will not automatically build a static lib if we build a DLL.
# _LT_TAGVAR(old_archive_from_new_cmds, $1)='true'
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=yes
_LT_TAGVAR(exclude_expsyms, $1)='_NULL_IMPORT_DESCRIPTOR|_IMPORT_DESCRIPTOR_.*'
_LT_TAGVAR(export_symbols_cmds, $1)='$NM $libobjs $convenience | $global_symbol_pipe | $SED -e '\''/^[[BCDGRS]][[ ]]/s/.*[[ ]]\([[^ ]]*\)/\1,DATA/'\'' | $SED -e '\''/^[[AITW]][[ ]]/s/.*[[ ]]//'\'' | sort | uniq > $export_symbols'
# Don't use ranlib
_LT_TAGVAR(old_postinstall_cmds, $1)='chmod 644 $oldlib'
_LT_TAGVAR(postlink_cmds, $1)='lt_outputfile="@OUTPUT@"~
lt_tool_outputfile="@TOOL_OUTPUT@"~
case $lt_outputfile in
*.exe|*.EXE) ;;
*)
lt_outputfile="$lt_outputfile.exe"
lt_tool_outputfile="$lt_tool_outputfile.exe"
;;
esac~
if test "$MANIFEST_TOOL" != ":" && test -f "$lt_outputfile.manifest"; then
$MANIFEST_TOOL -manifest "$lt_tool_outputfile.manifest" -outputresource:"$lt_tool_outputfile" || exit 1;
$RM "$lt_outputfile.manifest";
fi'
;;
*)
# Assume MSVC wrapper
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=' '
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
# Tell ltmain to make .lib files, not .a files.
libext=lib
# Tell ltmain to make .dll files, not .so files.
shrext_cmds=".dll"
# FIXME: Setting linknames here is a bad hack.
_LT_TAGVAR(archive_cmds, $1)='$CC -o $lib $libobjs $compiler_flags `func_echo_all "$deplibs" | $SED '\''s/ -lc$//'\''` -link -dll~linknames='
# The linker will automatically build a .lib file if we build a DLL.
_LT_TAGVAR(old_archive_from_new_cmds, $1)='true'
# FIXME: Should let the user specify the lib program.
_LT_TAGVAR(old_archive_cmds, $1)='lib -OUT:$oldlib$oldobjs$old_deplibs'
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=yes
;;
esac
;;
darwin* | rhapsody*)
_LT_DARWIN_LINKER_FEATURES($1)
;;
dgux*)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
# FreeBSD 2.2.[012] allows us to include c++rt0.o to get C++ constructor
# support. Future versions do this automatically, but an explicit c++rt0.o
# does not break anything, and helps significantly (at the cost of a little
# extra space).
freebsd2.2*)
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable -o $lib $libobjs $deplibs $linker_flags /usr/lib/c++rt0.o'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
# Unfortunately, older versions of FreeBSD 2 do not have this feature.
freebsd2.*)
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
# FreeBSD 3 and greater uses gcc -shared to do shared libraries.
freebsd* | dragonfly*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
hpux9*)
if test "$GCC" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/$soname~$CC -shared $pic_flag ${wl}+b ${wl}$install_libdir -o $output_objdir/$soname $libobjs $deplibs $compiler_flags~test $output_objdir/$soname = $lib || mv $output_objdir/$soname $lib'
else
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/$soname~$LD -b +b $install_libdir -o $output_objdir/$soname $libobjs $deplibs $linker_flags~test $output_objdir/$soname = $lib || mv $output_objdir/$soname $lib'
fi
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}+b ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(hardcode_direct, $1)=yes
# hardcode_minus_L: Not really in the search PATH,
# but as the default location of the library.
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
;;
hpux10*)
if test "$GCC" = yes && test "$with_gnu_ld" = no; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $libobjs $deplibs $compiler_flags'
else
_LT_TAGVAR(archive_cmds, $1)='$LD -b +h $soname +b $install_libdir -o $lib $libobjs $deplibs $linker_flags'
fi
if test "$with_gnu_ld" = no; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}+b ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
# hardcode_minus_L: Not really in the search PATH,
# but as the default location of the library.
_LT_TAGVAR(hardcode_minus_L, $1)=yes
fi
;;
hpux11*)
if test "$GCC" = yes && test "$with_gnu_ld" = no; then
case $host_cpu in
hppa*64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared ${wl}+h ${wl}$soname -o $lib $libobjs $deplibs $compiler_flags'
;;
ia64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag ${wl}+h ${wl}$soname ${wl}+nodefaultrpath -o $lib $libobjs $deplibs $compiler_flags'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $libobjs $deplibs $compiler_flags'
;;
esac
else
case $host_cpu in
hppa*64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname -o $lib $libobjs $deplibs $compiler_flags'
;;
ia64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname ${wl}+nodefaultrpath -o $lib $libobjs $deplibs $compiler_flags'
;;
*)
m4_if($1, [], [
# Older versions of the 11.00 compiler do not understand -b yet
# (HP92453-01 A.11.01.20 doesn't, HP92453-01 B.11.X.35175-35176.GP does)
_LT_LINKER_OPTION([if $CC understands -b],
_LT_TAGVAR(lt_cv_prog_compiler__b, $1), [-b],
[_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $libobjs $deplibs $compiler_flags'],
[_LT_TAGVAR(archive_cmds, $1)='$LD -b +h $soname +b $install_libdir -o $lib $libobjs $deplibs $linker_flags'])],
[_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $libobjs $deplibs $compiler_flags'])
;;
esac
fi
if test "$with_gnu_ld" = no; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}+b ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
case $host_cpu in
hppa*64*|ia64*)
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
*)
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
# hardcode_minus_L: Not really in the search PATH,
# but as the default location of the library.
_LT_TAGVAR(hardcode_minus_L, $1)=yes
;;
esac
fi
;;
irix5* | irix6* | nonstopux*)
if test "$GCC" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
# Try to use the -exported_symbol ld option, if it does not
# work, assume that -exports_file does not work either and
# implicitly export all symbols.
# This should be the same for all languages, so no per-tag cache variable.
AC_CACHE_CHECK([whether the $host_os linker accepts -exported_symbol],
[lt_cv_irix_exported_symbol],
[save_LDFLAGS="$LDFLAGS"
LDFLAGS="$LDFLAGS -shared ${wl}-exported_symbol ${wl}foo ${wl}-update_registry ${wl}/dev/null"
AC_LINK_IFELSE(
[AC_LANG_SOURCE(
[AC_LANG_CASE([C], [[int foo (void) { return 0; }]],
[C++], [[int foo (void) { return 0; }]],
[Fortran 77], [[
subroutine foo
end]],
[Fortran], [[
subroutine foo
end]])])],
[lt_cv_irix_exported_symbol=yes],
[lt_cv_irix_exported_symbol=no])
LDFLAGS="$save_LDFLAGS"])
if test "$lt_cv_irix_exported_symbol" = yes; then
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations ${wl}-exports_file ${wl}$export_symbols -o $lib'
fi
else
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -exports_file $export_symbols -o $lib'
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)='no'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(inherit_rpath, $1)=yes
_LT_TAGVAR(link_all_deplibs, $1)=yes
;;
netbsd*)
if echo __ELF__ | $CC -E - | $GREP __ELF__ >/dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable -o $lib $libobjs $deplibs $linker_flags' # a.out
else
_LT_TAGVAR(archive_cmds, $1)='$LD -shared -o $lib $libobjs $deplibs $linker_flags' # ELF
fi
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
newsos6)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
*nto* | *qnx*)
;;
openbsd*)
if test -f /usr/libexec/ld.so; then
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
if test -z "`echo __ELF__ | $CC -E - | $GREP __ELF__`" || test "$host_os-$host_cpu" = "openbsd2.8-powerpc"; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag -o $lib $libobjs $deplibs $compiler_flags ${wl}-retain-symbols-file,$export_symbols'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
else
case $host_os in
openbsd[[01]].* | openbsd2.[[0-7]] | openbsd2.[[0-7]].*)
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
;;
esac
fi
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
os2*)
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(archive_cmds, $1)='$ECHO "LIBRARY $libname INITINSTANCE" > $output_objdir/$libname.def~$ECHO "DESCRIPTION \"$libname\"" >> $output_objdir/$libname.def~echo DATA >> $output_objdir/$libname.def~echo " SINGLE NONSHARED" >> $output_objdir/$libname.def~echo EXPORTS >> $output_objdir/$libname.def~emxexp $libobjs >> $output_objdir/$libname.def~$CC -Zdll -Zcrtdll -o $lib $libobjs $deplibs $compiler_flags $output_objdir/$libname.def'
_LT_TAGVAR(old_archive_from_new_cmds, $1)='emximp -o $output_objdir/$libname.a $output_objdir/$libname.def'
;;
osf3*)
if test "$GCC" = yes; then
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-expect_unresolved ${wl}\*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $libobjs $deplibs $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
else
_LT_TAGVAR(allow_undefined_flag, $1)=' -expect_unresolved \*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $libobjs $deplibs $compiler_flags -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)='no'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
;;
osf4* | osf5*) # as osf3* with the addition of -msym flag
if test "$GCC" = yes; then
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-expect_unresolved ${wl}\*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $pic_flag $libobjs $deplibs $compiler_flags ${wl}-msym ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
else
_LT_TAGVAR(allow_undefined_flag, $1)=' -expect_unresolved \*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $libobjs $deplibs $compiler_flags -msym -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='for i in `cat $export_symbols`; do printf "%s %s\\n" -exported_symbol "\$i" >> $lib.exp; done; printf "%s\\n" "-hidden">> $lib.exp~
$CC -shared${allow_undefined_flag} ${wl}-input ${wl}$lib.exp $compiler_flags $libobjs $deplibs -soname $soname `test -n "$verstring" && $ECHO "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib~$RM $lib.exp'
# Both c and cxx compiler support -rpath directly
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-rpath $libdir'
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)='no'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
;;
solaris*)
_LT_TAGVAR(no_undefined_flag, $1)=' -z defs'
if test "$GCC" = yes; then
wlarc='${wl}'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag ${wl}-z ${wl}text ${wl}-h ${wl}$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$CC -shared $pic_flag ${wl}-z ${wl}text ${wl}-M ${wl}$lib.exp ${wl}-h ${wl}$soname -o $lib $libobjs $deplibs $compiler_flags~$RM $lib.exp'
else
case `$CC -V 2>&1` in
*"Compilers 5.0"*)
wlarc=''
_LT_TAGVAR(archive_cmds, $1)='$LD -G${allow_undefined_flag} -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$LD -G${allow_undefined_flag} -M $lib.exp -h $soname -o $lib $libobjs $deplibs $linker_flags~$RM $lib.exp'
;;
*)
wlarc='${wl}'
_LT_TAGVAR(archive_cmds, $1)='$CC -G${allow_undefined_flag} -h $soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$CC -G${allow_undefined_flag} -M $lib.exp -h $soname -o $lib $libobjs $deplibs $compiler_flags~$RM $lib.exp'
;;
esac
fi
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
case $host_os in
solaris2.[[0-5]] | solaris2.[[0-5]].*) ;;
*)
# The compiler driver will combine and reorder linker options,
# but understands `-z linker_flag'. GCC discards it without `$wl',
# but is careful enough not to reorder.
# Supported since Solaris 2.6 (maybe 2.5.1?)
if test "$GCC" = yes; then
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}-z ${wl}allextract$convenience ${wl}-z ${wl}defaultextract'
else
_LT_TAGVAR(whole_archive_flag_spec, $1)='-z allextract$convenience -z defaultextract'
fi
;;
esac
_LT_TAGVAR(link_all_deplibs, $1)=yes
;;
sunos4*)
if test "x$host_vendor" = xsequent; then
# Use $CC to link under sequent, because it throws in some extra .o
# files that make .init and .fini sections work.
_LT_TAGVAR(archive_cmds, $1)='$CC -G ${wl}-h $soname -o $lib $libobjs $deplibs $compiler_flags'
else
_LT_TAGVAR(archive_cmds, $1)='$LD -assert pure-text -Bstatic -o $lib $libobjs $deplibs $linker_flags'
fi
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
sysv4)
case $host_vendor in
sni)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_direct, $1)=yes # is this really true???
;;
siemens)
## LD is ld it makes a PLAMLIB
## CC just makes a GrossModule.
_LT_TAGVAR(archive_cmds, $1)='$LD -G -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(reload_cmds, $1)='$CC -r -o $output$reload_objs'
_LT_TAGVAR(hardcode_direct, $1)=no
;;
motorola)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_direct, $1)=no #Motorola manual says yes, but my tests say they lie
;;
esac
runpath_var='LD_RUN_PATH'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
sysv4.3*)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(export_dynamic_flag_spec, $1)='-Bexport'
;;
sysv4*MP*)
if test -d /usr/nec; then
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
runpath_var=LD_RUN_PATH
hardcode_runpath_var=yes
_LT_TAGVAR(ld_shlibs, $1)=yes
fi
;;
sysv4*uw2* | sysv5OpenUNIX* | sysv5UnixWare7.[[01]].[[10]]* | unixware7* | sco3.2v5.0.[[024]]*)
_LT_TAGVAR(no_undefined_flag, $1)='${wl}-z,text'
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
runpath_var='LD_RUN_PATH'
if test "$GCC" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
else
_LT_TAGVAR(archive_cmds, $1)='$CC -G ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -G ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
fi
;;
sysv5* | sco3.2v5* | sco5v6*)
# Note: We can NOT use -z defs as we might desire, because we do not
# link with -lc, and that would cause any symbols used from libc to
# always be unresolved, which means just about no library would
# ever link correctly. If we're not using GNU ld we use -z text
# though, which does catch some bad symbols but isn't as heavy-handed
# as -z defs.
_LT_TAGVAR(no_undefined_flag, $1)='${wl}-z,text'
_LT_TAGVAR(allow_undefined_flag, $1)='${wl}-z,nodefs'
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-R,$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=':'
_LT_TAGVAR(link_all_deplibs, $1)=yes
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-Bexport'
runpath_var='LD_RUN_PATH'
if test "$GCC" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
else
_LT_TAGVAR(archive_cmds, $1)='$CC -G ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -G ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
fi
;;
uts4*)
_LT_TAGVAR(archive_cmds, $1)='$LD -G -h $soname -o $lib $libobjs $deplibs $linker_flags'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
*)
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
if test x$host_vendor = xsni; then
case $host in
sysv4 | sysv4.2uw2* | sysv4.3* | sysv5*)
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-Blargedynsym'
;;
esac
fi
fi
])
AC_MSG_RESULT([$_LT_TAGVAR(ld_shlibs, $1)])
test "$_LT_TAGVAR(ld_shlibs, $1)" = no && can_build_shared=no
_LT_TAGVAR(with_gnu_ld, $1)=$with_gnu_ld
_LT_DECL([], [libext], [0], [Old archive suffix (normally "a")])dnl
_LT_DECL([], [shrext_cmds], [1], [Shared library suffix (normally ".so")])dnl
_LT_DECL([], [extract_expsyms_cmds], [2],
[The commands to extract the exported symbol list from a shared archive])
#
# Do we need to explicitly link libc?
#
case "x$_LT_TAGVAR(archive_cmds_need_lc, $1)" in
x|xyes)
# Assume -lc should be added
_LT_TAGVAR(archive_cmds_need_lc, $1)=yes
if test "$enable_shared" = yes && test "$GCC" = yes; then
case $_LT_TAGVAR(archive_cmds, $1) in
*'~'*)
# FIXME: we may have to deal with multi-command sequences.
;;
'$CC '*)
# Test whether the compiler implicitly links with -lc since on some
# systems, -lgcc has to come before -lc. If gcc already passes -lc
# to ld, don't add -lc before -lgcc.
AC_CACHE_CHECK([whether -lc should be explicitly linked in],
[lt_cv_]_LT_TAGVAR(archive_cmds_need_lc, $1),
[$RM conftest*
echo "$lt_simple_compile_test_code" > conftest.$ac_ext
if AC_TRY_EVAL(ac_compile) 2>conftest.err; then
soname=conftest
lib=conftest
libobjs=conftest.$ac_objext
deplibs=
wl=$_LT_TAGVAR(lt_prog_compiler_wl, $1)
pic_flag=$_LT_TAGVAR(lt_prog_compiler_pic, $1)
compiler_flags=-v
linker_flags=-v
verstring=
output_objdir=.
libname=conftest
lt_save_allow_undefined_flag=$_LT_TAGVAR(allow_undefined_flag, $1)
_LT_TAGVAR(allow_undefined_flag, $1)=
if AC_TRY_EVAL(_LT_TAGVAR(archive_cmds, $1) 2\>\&1 \| $GREP \" -lc \" \>/dev/null 2\>\&1)
then
lt_cv_[]_LT_TAGVAR(archive_cmds_need_lc, $1)=no
else
lt_cv_[]_LT_TAGVAR(archive_cmds_need_lc, $1)=yes
fi
_LT_TAGVAR(allow_undefined_flag, $1)=$lt_save_allow_undefined_flag
else
cat conftest.err 1>&5
fi
$RM conftest*
])
_LT_TAGVAR(archive_cmds_need_lc, $1)=$lt_cv_[]_LT_TAGVAR(archive_cmds_need_lc, $1)
;;
esac
fi
;;
esac
_LT_TAGDECL([build_libtool_need_lc], [archive_cmds_need_lc], [0],
[Whether or not to add -lc for building shared libraries])
_LT_TAGDECL([allow_libtool_libs_with_static_runtimes],
[enable_shared_with_static_runtimes], [0],
[Whether or not to disallow shared libs when runtime libs are static])
_LT_TAGDECL([], [export_dynamic_flag_spec], [1],
[Compiler flag to allow reflexive dlopens])
_LT_TAGDECL([], [whole_archive_flag_spec], [1],
[Compiler flag to generate shared objects directly from archives])
_LT_TAGDECL([], [compiler_needs_object], [1],
[Whether the compiler copes with passing no objects directly])
_LT_TAGDECL([], [old_archive_from_new_cmds], [2],
[Create an old-style archive from a shared archive])
_LT_TAGDECL([], [old_archive_from_expsyms_cmds], [2],
[Create a temporary old-style archive to link instead of a shared archive])
_LT_TAGDECL([], [archive_cmds], [2], [Commands used to build a shared archive])
_LT_TAGDECL([], [archive_expsym_cmds], [2])
_LT_TAGDECL([], [module_cmds], [2],
[Commands used to build a loadable module if different from building
a shared archive.])
_LT_TAGDECL([], [module_expsym_cmds], [2])
_LT_TAGDECL([], [with_gnu_ld], [1],
[Whether we are building with GNU ld or not])
_LT_TAGDECL([], [allow_undefined_flag], [1],
[Flag that allows shared libraries with undefined symbols to be built])
_LT_TAGDECL([], [no_undefined_flag], [1],
[Flag that enforces no undefined symbols])
_LT_TAGDECL([], [hardcode_libdir_flag_spec], [1],
[Flag to hardcode $libdir into a binary during linking.
This must work even if $libdir does not exist])
_LT_TAGDECL([], [hardcode_libdir_separator], [1],
[Whether we need a single "-rpath" flag with a separated argument])
_LT_TAGDECL([], [hardcode_direct], [0],
[Set to "yes" if using DIR/libNAME${shared_ext} during linking hardcodes
DIR into the resulting binary])
_LT_TAGDECL([], [hardcode_direct_absolute], [0],
[Set to "yes" if using DIR/libNAME${shared_ext} during linking hardcodes
DIR into the resulting binary and the resulting library dependency is
"absolute", i.e impossible to change by setting ${shlibpath_var} if the
library is relocated])
_LT_TAGDECL([], [hardcode_minus_L], [0],
[Set to "yes" if using the -LDIR flag during linking hardcodes DIR
into the resulting binary])
_LT_TAGDECL([], [hardcode_shlibpath_var], [0],
[Set to "yes" if using SHLIBPATH_VAR=DIR during linking hardcodes DIR
into the resulting binary])
_LT_TAGDECL([], [hardcode_automatic], [0],
[Set to "yes" if building a shared library automatically hardcodes DIR
into the library and all subsequent libraries and executables linked
against it])
_LT_TAGDECL([], [inherit_rpath], [0],
[Set to yes if linker adds runtime paths of dependent libraries
to runtime path list])
_LT_TAGDECL([], [link_all_deplibs], [0],
[Whether libtool must link a program against all its dependency libraries])
_LT_TAGDECL([], [always_export_symbols], [0],
[Set to "yes" if exported symbols are required])
_LT_TAGDECL([], [export_symbols_cmds], [2],
[The commands to list exported symbols])
_LT_TAGDECL([], [exclude_expsyms], [1],
[Symbols that should not be listed in the preloaded symbols])
_LT_TAGDECL([], [include_expsyms], [1],
[Symbols that must always be exported])
_LT_TAGDECL([], [prelink_cmds], [2],
[Commands necessary for linking programs (against libraries) with templates])
_LT_TAGDECL([], [postlink_cmds], [2],
[Commands necessary for finishing linking programs])
_LT_TAGDECL([], [file_list_spec], [1],
[Specify filename containing input files])
dnl FIXME: Not yet implemented
dnl _LT_TAGDECL([], [thread_safe_flag_spec], [1],
dnl [Compiler flag to generate thread safe objects])
])# _LT_LINKER_SHLIBS
# _LT_LANG_C_CONFIG([TAG])
# ------------------------
# Ensure that the configuration variables for a C compiler are suitably
# defined. These variables are subsequently used by _LT_CONFIG to write
# the compiler configuration to `libtool'.
m4_defun([_LT_LANG_C_CONFIG],
[m4_require([_LT_DECL_EGREP])dnl
lt_save_CC="$CC"
AC_LANG_PUSH(C)
# Source file extension for C test sources.
ac_ext=c
# Object file extension for compiled C test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# Code to be used in simple compile tests
lt_simple_compile_test_code="int some_variable = 0;"
# Code to be used in simple link tests
lt_simple_link_test_code='int main(){return(0);}'
_LT_TAG_COMPILER
# Save the default compiler, since it gets overwritten when the other
# tags are being tested, and _LT_TAGVAR(compiler, []) is a NOP.
compiler_DEFAULT=$CC
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
if test -n "$compiler"; then
_LT_COMPILER_NO_RTTI($1)
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_SYS_DYNAMIC_LINKER($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
LT_SYS_DLOPEN_SELF
_LT_CMD_STRIPLIB
# Report which library types will actually be built
AC_MSG_CHECKING([if libtool supports shared libraries])
AC_MSG_RESULT([$can_build_shared])
AC_MSG_CHECKING([whether to build shared libraries])
test "$can_build_shared" = "no" && enable_shared=no
# On AIX, shared libraries and static libraries use the same namespace, and
# are all built from PIC.
case $host_os in
aix3*)
test "$enable_shared" = yes && enable_static=no
if test -n "$RANLIB"; then
archive_cmds="$archive_cmds~\$RANLIB \$lib"
postinstall_cmds='$RANLIB $lib'
fi
;;
aix[[4-9]]*)
if test "$host_cpu" != ia64 && test "$aix_use_runtimelinking" = no ; then
test "$enable_shared" = yes && enable_static=no
fi
;;
esac
AC_MSG_RESULT([$enable_shared])
AC_MSG_CHECKING([whether to build static libraries])
# Make sure either enable_shared or enable_static is yes.
test "$enable_shared" = yes || enable_static=yes
AC_MSG_RESULT([$enable_static])
_LT_CONFIG($1)
fi
AC_LANG_POP
CC="$lt_save_CC"
])# _LT_LANG_C_CONFIG
# _LT_LANG_CXX_CONFIG([TAG])
# --------------------------
# Ensure that the configuration variables for a C++ compiler are suitably
# defined. These variables are subsequently used by _LT_CONFIG to write
# the compiler configuration to `libtool'.
m4_defun([_LT_LANG_CXX_CONFIG],
[m4_require([_LT_FILEUTILS_DEFAULTS])dnl
m4_require([_LT_DECL_EGREP])dnl
m4_require([_LT_PATH_MANIFEST_TOOL])dnl
if test -n "$CXX" && ( test "X$CXX" != "Xno" &&
( (test "X$CXX" = "Xg++" && `g++ -v >/dev/null 2>&1` ) ||
(test "X$CXX" != "Xg++"))) ; then
AC_PROG_CXXCPP
else
_lt_caught_CXX_error=yes
fi
AC_LANG_PUSH(C++)
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(allow_undefined_flag, $1)=
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(archive_expsym_cmds, $1)=
_LT_TAGVAR(compiler_needs_object, $1)=no
_LT_TAGVAR(export_dynamic_flag_spec, $1)=
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=
_LT_TAGVAR(hardcode_libdir_separator, $1)=
_LT_TAGVAR(hardcode_minus_L, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=unsupported
_LT_TAGVAR(hardcode_automatic, $1)=no
_LT_TAGVAR(inherit_rpath, $1)=no
_LT_TAGVAR(module_cmds, $1)=
_LT_TAGVAR(module_expsym_cmds, $1)=
_LT_TAGVAR(link_all_deplibs, $1)=unknown
_LT_TAGVAR(old_archive_cmds, $1)=$old_archive_cmds
_LT_TAGVAR(reload_flag, $1)=$reload_flag
_LT_TAGVAR(reload_cmds, $1)=$reload_cmds
_LT_TAGVAR(no_undefined_flag, $1)=
_LT_TAGVAR(whole_archive_flag_spec, $1)=
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=no
# Source file extension for C++ test sources.
ac_ext=cpp
# Object file extension for compiled C++ test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# No sense in running all these tests if we already determined that
# the CXX compiler isn't working. Some variables (like enable_shared)
# are currently assumed to apply to all compilers on this platform,
# and will be corrupted by setting them based on a non-working compiler.
if test "$_lt_caught_CXX_error" != yes; then
# Code to be used in simple compile tests
lt_simple_compile_test_code="int some_variable = 0;"
# Code to be used in simple link tests
lt_simple_link_test_code='int main(int, char *[[]]) { return(0); }'
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC=$CC
lt_save_CFLAGS=$CFLAGS
lt_save_LD=$LD
lt_save_GCC=$GCC
GCC=$GXX
lt_save_with_gnu_ld=$with_gnu_ld
lt_save_path_LD=$lt_cv_path_LD
if test -n "${lt_cv_prog_gnu_ldcxx+set}"; then
lt_cv_prog_gnu_ld=$lt_cv_prog_gnu_ldcxx
else
$as_unset lt_cv_prog_gnu_ld
fi
if test -n "${lt_cv_path_LDCXX+set}"; then
lt_cv_path_LD=$lt_cv_path_LDCXX
else
$as_unset lt_cv_path_LD
fi
test -z "${LDCXX+set}" || LD=$LDCXX
CC=${CXX-"c++"}
CFLAGS=$CXXFLAGS
compiler=$CC
_LT_TAGVAR(compiler, $1)=$CC
_LT_CC_BASENAME([$compiler])
if test -n "$compiler"; then
# We don't want -fno-exception when compiling C++ code, so set the
# no_builtin_flag separately
if test "$GXX" = yes; then
_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)=' -fno-builtin'
else
_LT_TAGVAR(lt_prog_compiler_no_builtin_flag, $1)=
fi
if test "$GXX" = yes; then
# Set up default GNU C++ configuration
LT_PATH_LD
# Check if GNU C++ uses GNU ld as the underlying linker, since the
# archiving commands below assume that GNU ld is being used.
if test "$with_gnu_ld" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$CC $pic_flag -shared -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC $pic_flag -shared -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
# If archive_cmds runs LD, not CC, wlarc should be empty
# XXX I think wlarc can be eliminated in ltcf-cxx, but I need to
# investigate it a little bit more. (MM)
wlarc='${wl}'
# ancient GNU ld didn't support --whole-archive et. al.
if eval "`$CC -print-prog-name=ld` --help 2>&1" |
$GREP 'no-whole-archive' > /dev/null; then
_LT_TAGVAR(whole_archive_flag_spec, $1)="$wlarc"'--whole-archive$convenience '"$wlarc"'--no-whole-archive'
else
_LT_TAGVAR(whole_archive_flag_spec, $1)=
fi
else
with_gnu_ld=no
wlarc=
# A generic and very simple default shared library creation
# command for GNU C++ for the case where it uses the native
# linker, instead of GNU ld. If possible, this setting should
# overridden to take advantage of the native linker features on
# the platform it is being used on.
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -o $lib'
fi
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
output_verbose_link_cmd='$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP -v "^Configured with:" | $GREP "\-L"'
else
GXX=no
with_gnu_ld=no
wlarc=
fi
# PORTME: fill in a description of your system's C++ link characteristics
AC_MSG_CHECKING([whether the $compiler linker ($LD) supports shared libraries])
_LT_TAGVAR(ld_shlibs, $1)=yes
case $host_os in
aix3*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
aix[[4-9]]*)
if test "$host_cpu" = ia64; then
# On IA64, the linker does run time linking by default, so we don't
# have to do anything special.
aix_use_runtimelinking=no
exp_sym_flag='-Bexport'
no_entry_flag=""
else
aix_use_runtimelinking=no
# Test if we are trying to use run time linking or normal
# AIX style linking. If -brtl is somewhere in LDFLAGS, we
# need to do runtime linking.
case $host_os in aix4.[[23]]|aix4.[[23]].*|aix[[5-9]]*)
for ld_flag in $LDFLAGS; do
case $ld_flag in
*-brtl*)
aix_use_runtimelinking=yes
break
;;
esac
done
;;
esac
exp_sym_flag='-bexport'
no_entry_flag='-bnoentry'
fi
# When large executables or shared objects are built, AIX ld can
# have problems creating the table of contents. If linking a library
# or program results in "error TOC overflow" add -mminimal-toc to
# CXXFLAGS/CFLAGS for g++/gcc. In the cases where that is not
# enough to fix the problem, add -Wl,-bbigtoc to LDFLAGS.
_LT_TAGVAR(archive_cmds, $1)=''
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(hardcode_libdir_separator, $1)=':'
_LT_TAGVAR(link_all_deplibs, $1)=yes
_LT_TAGVAR(file_list_spec, $1)='${wl}-f,'
if test "$GXX" = yes; then
case $host_os in aix4.[[012]]|aix4.[[012]].*)
# We only want to do this on AIX 4.2 and lower, the check
# below for broken collect2 doesn't work under 4.3+
collect2name=`${CC} -print-prog-name=collect2`
if test -f "$collect2name" &&
strings "$collect2name" | $GREP resolve_lib_name >/dev/null
then
# We have reworked collect2
:
else
# We have old collect2
_LT_TAGVAR(hardcode_direct, $1)=unsupported
# It fails to find uninstalled libraries when the uninstalled
# path is not listed in the libpath. Setting hardcode_minus_L
# to unsupported forces relinking
_LT_TAGVAR(hardcode_minus_L, $1)=yes
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=
fi
esac
shared_flag='-shared'
if test "$aix_use_runtimelinking" = yes; then
shared_flag="$shared_flag "'${wl}-G'
fi
else
# not using gcc
if test "$host_cpu" = ia64; then
# VisualAge C++, Version 5.5 for AIX 5L for IA-64, Beta 3 Release
# chokes on -Wl,-G. The following line is correct:
shared_flag='-G'
else
if test "$aix_use_runtimelinking" = yes; then
shared_flag='${wl}-G'
else
shared_flag='${wl}-bM:SRE'
fi
fi
fi
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-bexpall'
# It seems that -bexpall does not export symbols beginning with
# underscore (_), so it is better to generate a list of symbols to
# export.
_LT_TAGVAR(always_export_symbols, $1)=yes
if test "$aix_use_runtimelinking" = yes; then
# Warning - without using the other runtime loading flags (-brtl),
# -berok will link without error, but may produce a broken library.
_LT_TAGVAR(allow_undefined_flag, $1)='-berok'
# Determine the default libpath from the value encoded in an empty
# executable.
_LT_SYS_MODULE_PATH_AIX([$1])
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-blibpath:$libdir:'"$aix_libpath"
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -o $output_objdir/$soname $libobjs $deplibs '"\${wl}$no_entry_flag"' $compiler_flags `if test "x${allow_undefined_flag}" != "x"; then func_echo_all "${wl}${allow_undefined_flag}"; else :; fi` '"\${wl}$exp_sym_flag:\$export_symbols $shared_flag"
else
if test "$host_cpu" = ia64; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-R $libdir:/usr/lib:/lib'
_LT_TAGVAR(allow_undefined_flag, $1)="-z nodefs"
_LT_TAGVAR(archive_expsym_cmds, $1)="\$CC $shared_flag"' -o $output_objdir/$soname $libobjs $deplibs '"\${wl}$no_entry_flag"' $compiler_flags ${wl}${allow_undefined_flag} '"\${wl}$exp_sym_flag:\$export_symbols"
else
# Determine the default libpath from the value encoded in an
# empty executable.
_LT_SYS_MODULE_PATH_AIX([$1])
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-blibpath:$libdir:'"$aix_libpath"
# Warning - without using the other run time loading flags,
# -berok will link without error, but may produce a broken library.
_LT_TAGVAR(no_undefined_flag, $1)=' ${wl}-bernotok'
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-berok'
if test "$with_gnu_ld" = yes; then
# We only use this code for GNU lds that support --whole-archive.
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive$convenience ${wl}--no-whole-archive'
else
# Exported symbols can be pulled into shared objects from archives
_LT_TAGVAR(whole_archive_flag_spec, $1)='$convenience'
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)=yes
# This is similar to how AIX traditionally builds its shared
# libraries.
_LT_TAGVAR(archive_expsym_cmds, $1)="\$CC $shared_flag"' -o $output_objdir/$soname $libobjs $deplibs ${wl}-bnoentry $compiler_flags ${wl}-bE:$export_symbols${allow_undefined_flag}~$AR $AR_FLAGS $output_objdir/$libname$release.a $output_objdir/$soname'
fi
fi
;;
beos*)
if $LD --help 2>&1 | $GREP ': supported targets:.* elf' > /dev/null; then
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
# Joseph Beckenbach <jrb3@best.com> says some releases of gcc
# support --undefined. This deserves some investigation. FIXME
_LT_TAGVAR(archive_cmds, $1)='$CC -nostart $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
chorus*)
case $cc_basename in
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
;;
cygwin* | mingw* | pw32* | cegcc*)
case $GXX,$cc_basename in
,cl* | no,cl*)
# Native MSVC
# hardcode_libdir_flag_spec is actually meaningless, as there is
# no search path for DLLs.
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=' '
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(always_export_symbols, $1)=yes
_LT_TAGVAR(file_list_spec, $1)='@'
# Tell ltmain to make .lib files, not .a files.
libext=lib
# Tell ltmain to make .dll files, not .so files.
shrext_cmds=".dll"
# FIXME: Setting linknames here is a bad hack.
_LT_TAGVAR(archive_cmds, $1)='$CC -o $output_objdir/$soname $libobjs $compiler_flags $deplibs -Wl,-dll~linknames='
_LT_TAGVAR(archive_expsym_cmds, $1)='if test "x`$SED 1q $export_symbols`" = xEXPORTS; then
$SED -n -e 's/\\\\\\\(.*\\\\\\\)/-link\\\ -EXPORT:\\\\\\\1/' -e '1\\\!p' < $export_symbols > $output_objdir/$soname.exp;
else
$SED -e 's/\\\\\\\(.*\\\\\\\)/-link\\\ -EXPORT:\\\\\\\1/' < $export_symbols > $output_objdir/$soname.exp;
fi~
$CC -o $tool_output_objdir$soname $libobjs $compiler_flags $deplibs "@$tool_output_objdir$soname.exp" -Wl,-DLL,-IMPLIB:"$tool_output_objdir$libname.dll.lib"~
linknames='
# The linker will not automatically build a static lib if we build a DLL.
# _LT_TAGVAR(old_archive_from_new_cmds, $1)='true'
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=yes
# Don't use ranlib
_LT_TAGVAR(old_postinstall_cmds, $1)='chmod 644 $oldlib'
_LT_TAGVAR(postlink_cmds, $1)='lt_outputfile="@OUTPUT@"~
lt_tool_outputfile="@TOOL_OUTPUT@"~
case $lt_outputfile in
*.exe|*.EXE) ;;
*)
lt_outputfile="$lt_outputfile.exe"
lt_tool_outputfile="$lt_tool_outputfile.exe"
;;
esac~
func_to_tool_file "$lt_outputfile"~
if test "$MANIFEST_TOOL" != ":" && test -f "$lt_outputfile.manifest"; then
$MANIFEST_TOOL -manifest "$lt_tool_outputfile.manifest" -outputresource:"$lt_tool_outputfile" || exit 1;
$RM "$lt_outputfile.manifest";
fi'
;;
*)
# g++
# _LT_TAGVAR(hardcode_libdir_flag_spec, $1) is actually meaningless,
# as there is no search path for DLLs.
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-L$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-all-symbols'
_LT_TAGVAR(allow_undefined_flag, $1)=unsupported
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=yes
if $LD --help 2>&1 | $GREP 'auto-import' > /dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -o $output_objdir/$soname ${wl}--enable-auto-image-base -Xlinker --out-implib -Xlinker $lib'
# If the export-symbols file already is a .def file (1st line
# is EXPORTS), use it as is; otherwise, prepend...
_LT_TAGVAR(archive_expsym_cmds, $1)='if test "x`$SED 1q $export_symbols`" = xEXPORTS; then
cp $export_symbols $output_objdir/$soname.def;
else
echo EXPORTS > $output_objdir/$soname.def;
cat $export_symbols >> $output_objdir/$soname.def;
fi~
$CC -shared -nostdlib $output_objdir/$soname.def $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -o $output_objdir/$soname ${wl}--enable-auto-image-base -Xlinker --out-implib -Xlinker $lib'
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
;;
darwin* | rhapsody*)
_LT_DARWIN_LINKER_FEATURES($1)
;;
dgux*)
case $cc_basename in
ec++*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
ghcx*)
# Green Hills C++ Compiler
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
;;
freebsd2.*)
# C++ shared libraries reported to be fairly broken before
# switch to ELF
_LT_TAGVAR(ld_shlibs, $1)=no
;;
freebsd-elf*)
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
;;
freebsd* | dragonfly*)
# FreeBSD 3 and later use GNU C++ and GNU ld with standard ELF
# conventions
_LT_TAGVAR(ld_shlibs, $1)=yes
;;
gnu*)
;;
haiku*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(link_all_deplibs, $1)=yes
;;
hpux9*)
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}+b ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_minus_L, $1)=yes # Not in the search PATH,
# but as the default
# location of the library.
case $cc_basename in
CC*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
aCC*)
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/$soname~$CC -b ${wl}+b ${wl}$install_libdir -o $output_objdir/$soname $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags~test $output_objdir/$soname = $lib || mv $output_objdir/$soname $lib'
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
#
# There doesn't appear to be a way to prevent this compiler from
# explicitly linking system object files so we need to strip them
# from the output so that they don't get included in the library
# dependencies.
output_verbose_link_cmd='templist=`($CC -b $CFLAGS -v conftest.$objext 2>&1) | $EGREP "\-L"`; list=""; for z in $templist; do case $z in conftest.$objext) list="$list $z";; *.$objext);; *) list="$list $z";;esac; done; func_echo_all "$list"'
;;
*)
if test "$GXX" = yes; then
_LT_TAGVAR(archive_cmds, $1)='$RM $output_objdir/$soname~$CC -shared -nostdlib $pic_flag ${wl}+b ${wl}$install_libdir -o $output_objdir/$soname $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags~test $output_objdir/$soname = $lib || mv $output_objdir/$soname $lib'
else
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
;;
hpux10*|hpux11*)
if test $with_gnu_ld = no; then
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}+b ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
case $host_cpu in
hppa*64*|ia64*)
;;
*)
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
;;
esac
fi
case $host_cpu in
hppa*64*|ia64*)
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
;;
*)
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(hardcode_minus_L, $1)=yes # Not in the search PATH,
# but as the default
# location of the library.
;;
esac
case $cc_basename in
CC*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
aCC*)
case $host_cpu in
hppa*64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
ia64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname ${wl}+nodefaultrpath -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -b ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
esac
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
#
# There doesn't appear to be a way to prevent this compiler from
# explicitly linking system object files so we need to strip them
# from the output so that they don't get included in the library
# dependencies.
output_verbose_link_cmd='templist=`($CC -b $CFLAGS -v conftest.$objext 2>&1) | $GREP "\-L"`; list=""; for z in $templist; do case $z in conftest.$objext) list="$list $z";; *.$objext);; *) list="$list $z";;esac; done; func_echo_all "$list"'
;;
*)
if test "$GXX" = yes; then
if test $with_gnu_ld = no; then
case $host_cpu in
hppa*64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib -fPIC ${wl}+h ${wl}$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
ia64*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib $pic_flag ${wl}+h ${wl}$soname ${wl}+nodefaultrpath -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib $pic_flag ${wl}+h ${wl}$soname ${wl}+b ${wl}$install_libdir -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
;;
esac
fi
else
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
;;
interix[[3-9]]*)
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
# Hack: On Interix 3.x, we cannot compile PIC because of a broken gcc.
# Instead, shared libraries are loaded at an image base (0x10000000 by
# default) and relocated if they conflict, which is a slow very memory
# consuming and fragmenting process. To avoid this, we pick a random,
# 256 KiB-aligned image base between 0x50000000 and 0x6FFC0000 at link
# time. Moving up from 0x10000000 also allows more sbrk(2) space.
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-h,$soname ${wl}--image-base,`expr ${RANDOM-$$} % 4096 / 2 \* 262144 + 1342177280` -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='sed "s,^,_," $export_symbols >$output_objdir/$soname.expsym~$CC -shared $pic_flag $libobjs $deplibs $compiler_flags ${wl}-h,$soname ${wl}--retain-symbols-file,$output_objdir/$soname.expsym ${wl}--image-base,`expr ${RANDOM-$$} % 4096 / 2 \* 262144 + 1342177280` -o $lib'
;;
irix5* | irix6*)
case $cc_basename in
CC*)
# SGI C++
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -all -multigot $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
# Archives containing C++ object files must be created using
# "CC -ar", where "CC" is the IRIX C++ compiler. This is
# necessary to make sure instantiated templates are included
# in the archive.
_LT_TAGVAR(old_archive_cmds, $1)='$CC -ar -WR,-u -o $oldlib $oldobjs'
;;
*)
if test "$GXX" = yes; then
if test "$with_gnu_ld" = no; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
else
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -nostdlib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` -o $lib'
fi
fi
_LT_TAGVAR(link_all_deplibs, $1)=yes
;;
esac
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
_LT_TAGVAR(inherit_rpath, $1)=yes
;;
linux* | k*bsd*-gnu | kopensolaris*-gnu)
case $cc_basename in
KCC*)
# Kuck and Associates, Inc. (KAI) C++ Compiler
# KCC will only create a shared library if the output file
# ends with ".so" (or ".sl" for HP-UX), so rename the library
# to its proper name (with version) after linking.
_LT_TAGVAR(archive_cmds, $1)='tempext=`echo $shared_ext | $SED -e '\''s/\([[^()0-9A-Za-z{}]]\)/\\\\\1/g'\''`; templib=`echo $lib | $SED -e "s/\${tempext}\..*/.so/"`; $CC $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags --soname $soname -o \$templib; mv \$templib $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='tempext=`echo $shared_ext | $SED -e '\''s/\([[^()0-9A-Za-z{}]]\)/\\\\\1/g'\''`; templib=`echo $lib | $SED -e "s/\${tempext}\..*/.so/"`; $CC $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags --soname $soname -o \$templib ${wl}-retain-symbols-file,$export_symbols; mv \$templib $lib'
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
#
# There doesn't appear to be a way to prevent this compiler from
# explicitly linking system object files so we need to strip them
# from the output so that they don't get included in the library
# dependencies.
output_verbose_link_cmd='templist=`$CC $CFLAGS -v conftest.$objext -o libconftest$shared_ext 2>&1 | $GREP "ld"`; rm -f libconftest$shared_ext; list=""; for z in $templist; do case $z in conftest.$objext) list="$list $z";; *.$objext);; *) list="$list $z";;esac; done; func_echo_all "$list"'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
# Archives containing C++ object files must be created using
# "CC -Bstatic", where "CC" is the KAI C++ compiler.
_LT_TAGVAR(old_archive_cmds, $1)='$CC -Bstatic -o $oldlib $oldobjs'
;;
icpc* | ecpc* )
# Intel C++
with_gnu_ld=yes
# version 8.0 and above of icpc choke on multiply defined symbols
# if we add $predep_objects and $postdep_objects, however 7.1 and
# earlier do not add the objects themselves.
case `$CC -V 2>&1` in
*"Version 7."*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
;;
*) # Version 8.0 or newer
tmp_idyn=
case $host_cpu in
ia64*) tmp_idyn=' -i_dynamic';;
esac
_LT_TAGVAR(archive_cmds, $1)='$CC -shared'"$tmp_idyn"' $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared'"$tmp_idyn"' $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-retain-symbols-file $wl$export_symbols -o $lib'
;;
esac
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive$convenience ${wl}--no-whole-archive'
;;
pgCC* | pgcpp*)
# Portland Group C++ compiler
case `$CC -V` in
*pgCC\ [[1-5]].* | *pgcpp\ [[1-5]].*)
_LT_TAGVAR(prelink_cmds, $1)='tpldir=Template.dir~
rm -rf $tpldir~
$CC --prelink_objects --instantiation_dir $tpldir $objs $libobjs $compile_deplibs~
compile_command="$compile_command `find $tpldir -name \*.o | sort | $NL2SP`"'
_LT_TAGVAR(old_archive_cmds, $1)='tpldir=Template.dir~
rm -rf $tpldir~
$CC --prelink_objects --instantiation_dir $tpldir $oldobjs$old_deplibs~
$AR $AR_FLAGS $oldlib$oldobjs$old_deplibs `find $tpldir -name \*.o | sort | $NL2SP`~
$RANLIB $oldlib'
_LT_TAGVAR(archive_cmds, $1)='tpldir=Template.dir~
rm -rf $tpldir~
$CC --prelink_objects --instantiation_dir $tpldir $predep_objects $libobjs $deplibs $convenience $postdep_objects~
$CC -shared $pic_flag $predep_objects $libobjs $deplibs `find $tpldir -name \*.o | sort | $NL2SP` $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='tpldir=Template.dir~
rm -rf $tpldir~
$CC --prelink_objects --instantiation_dir $tpldir $predep_objects $libobjs $deplibs $convenience $postdep_objects~
$CC -shared $pic_flag $predep_objects $libobjs $deplibs `find $tpldir -name \*.o | sort | $NL2SP` $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname ${wl}-retain-symbols-file ${wl}$export_symbols -o $lib'
;;
*) # Version 6 and above use weak symbols
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname ${wl}-retain-symbols-file ${wl}$export_symbols -o $lib'
;;
esac
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}--rpath ${wl}$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`for conv in $convenience\"\"; do test -n \"$conv\" && new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
;;
cxx*)
# Compaq C++
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $wl$soname -o $lib ${wl}-retain-symbols-file $wl$export_symbols'
runpath_var=LD_RUN_PATH
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-rpath $libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
#
# There doesn't appear to be a way to prevent this compiler from
# explicitly linking system object files so we need to strip them
# from the output so that they don't get included in the library
# dependencies.
output_verbose_link_cmd='templist=`$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP "ld"`; templist=`func_echo_all "$templist" | $SED "s/\(^.*ld.*\)\( .*ld .*$\)/\1/"`; list=""; for z in $templist; do case $z in conftest.$objext) list="$list $z";; *.$objext);; *) list="$list $z";;esac; done; func_echo_all "X$list" | $Xsed'
;;
xl* | mpixl* | bgxl*)
# IBM XL 8.0 on PPC, with GNU ld
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}--export-dynamic'
_LT_TAGVAR(archive_cmds, $1)='$CC -qmkshrobj $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname -o $lib'
if test "x$supports_anon_versioning" = xyes; then
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $output_objdir/$libname.ver~
cat $export_symbols | sed -e "s/\(.*\)/\1;/" >> $output_objdir/$libname.ver~
echo "local: *; };" >> $output_objdir/$libname.ver~
$CC -qmkshrobj $libobjs $deplibs $compiler_flags ${wl}-soname $wl$soname ${wl}-version-script ${wl}$output_objdir/$libname.ver -o $lib'
fi
;;
*)
case `$CC -V 2>&1 | sed 5q` in
*Sun\ C*)
# Sun C++ 5.9
_LT_TAGVAR(no_undefined_flag, $1)=' -zdefs'
_LT_TAGVAR(archive_cmds, $1)='$CC -G${allow_undefined_flag} -h$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -G${allow_undefined_flag} -h$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-retain-symbols-file ${wl}$export_symbols'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}--whole-archive`new_convenience=; for conv in $convenience\"\"; do test -z \"$conv\" || new_convenience=\"$new_convenience,$conv\"; done; func_echo_all \"$new_convenience\"` ${wl}--no-whole-archive'
_LT_TAGVAR(compiler_needs_object, $1)=yes
# Not sure whether something based on
# $CC $CFLAGS -v conftest.$objext -o libconftest$shared_ext 2>&1
# would be better.
output_verbose_link_cmd='func_echo_all'
# Archives containing C++ object files must be created using
# "CC -xar", where "CC" is the Sun C++ compiler. This is
# necessary to make sure instantiated templates are included
# in the archive.
_LT_TAGVAR(old_archive_cmds, $1)='$CC -xar -o $oldlib $oldobjs'
;;
esac
;;
esac
;;
lynxos*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
m88k*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
mvs*)
case $cc_basename in
cxx*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
;;
netbsd*)
if echo __ELF__ | $CC -E - | $GREP __ELF__ >/dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$LD -Bshareable -o $lib $predep_objects $libobjs $deplibs $postdep_objects $linker_flags'
wlarc=
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
fi
# Workaround some broken pre-1.5 toolchains
output_verbose_link_cmd='$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP conftest.$objext | $SED -e "s:-lgcc -lc -lgcc::"'
;;
*nto* | *qnx*)
_LT_TAGVAR(ld_shlibs, $1)=yes
;;
openbsd2*)
# C++ shared libraries are fairly broken
_LT_TAGVAR(ld_shlibs, $1)=no
;;
openbsd*)
if test -f /usr/libexec/ld.so; then
_LT_TAGVAR(hardcode_direct, $1)=yes
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=yes
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -o $lib'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
if test -z "`echo __ELF__ | $CC -E - | grep __ELF__`" || test "$host_os-$host_cpu" = "openbsd2.8-powerpc"; then
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared $pic_flag $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-retain-symbols-file,$export_symbols -o $lib'
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-E'
_LT_TAGVAR(whole_archive_flag_spec, $1)="$wlarc"'--whole-archive$convenience '"$wlarc"'--no-whole-archive'
fi
output_verbose_link_cmd=func_echo_all
else
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
osf3* | osf4* | osf5*)
case $cc_basename in
KCC*)
# Kuck and Associates, Inc. (KAI) C++ Compiler
# KCC will only create a shared library if the output file
# ends with ".so" (or ".sl" for HP-UX), so rename the library
# to its proper name (with version) after linking.
_LT_TAGVAR(archive_cmds, $1)='tempext=`echo $shared_ext | $SED -e '\''s/\([[^()0-9A-Za-z{}]]\)/\\\\\1/g'\''`; templib=`echo "$lib" | $SED -e "s/\${tempext}\..*/.so/"`; $CC $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags --soname $soname -o \$templib; mv \$templib $lib'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath,$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
# Archives containing C++ object files must be created using
# the KAI C++ compiler.
case $host in
osf3*) _LT_TAGVAR(old_archive_cmds, $1)='$CC -Bstatic -o $oldlib $oldobjs' ;;
*) _LT_TAGVAR(old_archive_cmds, $1)='$CC -o $oldlib $oldobjs' ;;
esac
;;
RCC*)
# Rational C++ 2.4.1
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
cxx*)
case $host in
osf3*)
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-expect_unresolved ${wl}\*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname $soname `test -n "$verstring" && func_echo_all "${wl}-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
;;
*)
_LT_TAGVAR(allow_undefined_flag, $1)=' -expect_unresolved \*'
_LT_TAGVAR(archive_cmds, $1)='$CC -shared${allow_undefined_flag} $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -msym -soname $soname `test -n "$verstring" && func_echo_all "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='for i in `cat $export_symbols`; do printf "%s %s\\n" -exported_symbol "\$i" >> $lib.exp; done~
echo "-hidden">> $lib.exp~
$CC -shared$allow_undefined_flag $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags -msym -soname $soname ${wl}-input ${wl}$lib.exp `test -n "$verstring" && $ECHO "-set_version $verstring"` -update_registry ${output_objdir}/so_locations -o $lib~
$RM $lib.exp'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-rpath $libdir'
;;
esac
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
#
# There doesn't appear to be a way to prevent this compiler from
# explicitly linking system object files so we need to strip them
# from the output so that they don't get included in the library
# dependencies.
output_verbose_link_cmd='templist=`$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP "ld" | $GREP -v "ld:"`; templist=`func_echo_all "$templist" | $SED "s/\(^.*ld.*\)\( .*ld.*$\)/\1/"`; list=""; for z in $templist; do case $z in conftest.$objext) list="$list $z";; *.$objext);; *) list="$list $z";;esac; done; func_echo_all "$list"'
;;
*)
if test "$GXX" = yes && test "$with_gnu_ld" = no; then
_LT_TAGVAR(allow_undefined_flag, $1)=' ${wl}-expect_unresolved ${wl}\*'
case $host in
osf3*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared -nostdlib ${allow_undefined_flag} $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -nostdlib ${allow_undefined_flag} $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-msym ${wl}-soname ${wl}$soname `test -n "$verstring" && func_echo_all "${wl}-set_version ${wl}$verstring"` ${wl}-update_registry ${wl}${output_objdir}/so_locations -o $lib'
;;
esac
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-rpath ${wl}$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=:
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
output_verbose_link_cmd='$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP -v "^Configured with:" | $GREP "\-L"'
else
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
fi
;;
esac
;;
psos*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
sunos4*)
case $cc_basename in
CC*)
# Sun C++ 4.x
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
lcc*)
# Lucid
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
;;
solaris*)
case $cc_basename in
CC* | sunCC*)
# Sun C++ 4.2, 5.x and Centerline C++
_LT_TAGVAR(archive_cmds_need_lc,$1)=yes
_LT_TAGVAR(no_undefined_flag, $1)=' -zdefs'
_LT_TAGVAR(archive_cmds, $1)='$CC -G${allow_undefined_flag} -h$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$CC -G${allow_undefined_flag} ${wl}-M ${wl}$lib.exp -h$soname -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags~$RM $lib.exp'
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='-R$libdir'
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
case $host_os in
solaris2.[[0-5]] | solaris2.[[0-5]].*) ;;
*)
# The compiler driver will combine and reorder linker options,
# but understands `-z linker_flag'.
# Supported since Solaris 2.6 (maybe 2.5.1?)
_LT_TAGVAR(whole_archive_flag_spec, $1)='-z allextract$convenience -z defaultextract'
;;
esac
_LT_TAGVAR(link_all_deplibs, $1)=yes
output_verbose_link_cmd='func_echo_all'
# Archives containing C++ object files must be created using
# "CC -xar", where "CC" is the Sun C++ compiler. This is
# necessary to make sure instantiated templates are included
# in the archive.
_LT_TAGVAR(old_archive_cmds, $1)='$CC -xar -o $oldlib $oldobjs'
;;
gcx*)
# Green Hills C++ Compiler
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-h $wl$soname -o $lib'
# The C++ compiler must be used to create the archive.
_LT_TAGVAR(old_archive_cmds, $1)='$CC $LDFLAGS -archive -o $oldlib $oldobjs'
;;
*)
# GNU C++ compiler with Solaris linker
if test "$GXX" = yes && test "$with_gnu_ld" = no; then
_LT_TAGVAR(no_undefined_flag, $1)=' ${wl}-z ${wl}defs'
if $CC --version | $GREP -v '^2\.7' > /dev/null; then
_LT_TAGVAR(archive_cmds, $1)='$CC -shared $pic_flag -nostdlib $LDFLAGS $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-h $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$CC -shared $pic_flag -nostdlib ${wl}-M $wl$lib.exp -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags~$RM $lib.exp'
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
output_verbose_link_cmd='$CC -shared $CFLAGS -v conftest.$objext 2>&1 | $GREP -v "^Configured with:" | $GREP "\-L"'
else
# g++ 2.7 appears to require `-G' NOT `-shared' on this
# platform.
_LT_TAGVAR(archive_cmds, $1)='$CC -G -nostdlib $LDFLAGS $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags ${wl}-h $wl$soname -o $lib'
_LT_TAGVAR(archive_expsym_cmds, $1)='echo "{ global:" > $lib.exp~cat $export_symbols | $SED -e "s/\(.*\)/\1;/" >> $lib.exp~echo "local: *; };" >> $lib.exp~
$CC -G -nostdlib ${wl}-M $wl$lib.exp -o $lib $predep_objects $libobjs $deplibs $postdep_objects $compiler_flags~$RM $lib.exp'
# Commands to make compiler produce verbose output that lists
# what "hidden" libraries, object files and flags are used when
# linking a shared library.
output_verbose_link_cmd='$CC -G $CFLAGS -v conftest.$objext 2>&1 | $GREP -v "^Configured with:" | $GREP "\-L"'
fi
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-R $wl$libdir'
case $host_os in
solaris2.[[0-5]] | solaris2.[[0-5]].*) ;;
*)
_LT_TAGVAR(whole_archive_flag_spec, $1)='${wl}-z ${wl}allextract$convenience ${wl}-z ${wl}defaultextract'
;;
esac
fi
;;
esac
;;
sysv4*uw2* | sysv5OpenUNIX* | sysv5UnixWare7.[[01]].[[10]]* | unixware7* | sco3.2v5.0.[[024]]*)
_LT_TAGVAR(no_undefined_flag, $1)='${wl}-z,text'
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
runpath_var='LD_RUN_PATH'
case $cc_basename in
CC*)
_LT_TAGVAR(archive_cmds, $1)='$CC -G ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -G ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
;;
esac
;;
sysv5* | sco3.2v5* | sco5v6*)
# Note: We can NOT use -z defs as we might desire, because we do not
# link with -lc, and that would cause any symbols used from libc to
# always be unresolved, which means just about no library would
# ever link correctly. If we're not using GNU ld we use -z text
# though, which does catch some bad symbols but isn't as heavy-handed
# as -z defs.
_LT_TAGVAR(no_undefined_flag, $1)='${wl}-z,text'
_LT_TAGVAR(allow_undefined_flag, $1)='${wl}-z,nodefs'
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(hardcode_shlibpath_var, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)='${wl}-R,$libdir'
_LT_TAGVAR(hardcode_libdir_separator, $1)=':'
_LT_TAGVAR(link_all_deplibs, $1)=yes
_LT_TAGVAR(export_dynamic_flag_spec, $1)='${wl}-Bexport'
runpath_var='LD_RUN_PATH'
case $cc_basename in
CC*)
_LT_TAGVAR(archive_cmds, $1)='$CC -G ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -G ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(old_archive_cmds, $1)='$CC -Tprelink_objects $oldobjs~
'"$_LT_TAGVAR(old_archive_cmds, $1)"
_LT_TAGVAR(reload_cmds, $1)='$CC -Tprelink_objects $reload_objs~
'"$_LT_TAGVAR(reload_cmds, $1)"
;;
*)
_LT_TAGVAR(archive_cmds, $1)='$CC -shared ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
_LT_TAGVAR(archive_expsym_cmds, $1)='$CC -shared ${wl}-Bexport:$export_symbols ${wl}-h,$soname -o $lib $libobjs $deplibs $compiler_flags'
;;
esac
;;
tandem*)
case $cc_basename in
NCC*)
# NonStop-UX NCC 3.20
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
;;
vxworks*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
*)
# FIXME: insert proper C++ library support
_LT_TAGVAR(ld_shlibs, $1)=no
;;
esac
AC_MSG_RESULT([$_LT_TAGVAR(ld_shlibs, $1)])
test "$_LT_TAGVAR(ld_shlibs, $1)" = no && can_build_shared=no
_LT_TAGVAR(GCC, $1)="$GXX"
_LT_TAGVAR(LD, $1)="$LD"
## CAVEAT EMPTOR:
## There is no encapsulation within the following macros, do not change
## the running order or otherwise move them around unless you know exactly
## what you are doing...
_LT_SYS_HIDDEN_LIBDEPS($1)
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_SYS_DYNAMIC_LINKER($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
_LT_CONFIG($1)
fi # test -n "$compiler"
CC=$lt_save_CC
CFLAGS=$lt_save_CFLAGS
LDCXX=$LD
LD=$lt_save_LD
GCC=$lt_save_GCC
with_gnu_ld=$lt_save_with_gnu_ld
lt_cv_path_LDCXX=$lt_cv_path_LD
lt_cv_path_LD=$lt_save_path_LD
lt_cv_prog_gnu_ldcxx=$lt_cv_prog_gnu_ld
lt_cv_prog_gnu_ld=$lt_save_with_gnu_ld
fi # test "$_lt_caught_CXX_error" != yes
AC_LANG_POP
])# _LT_LANG_CXX_CONFIG
# _LT_FUNC_STRIPNAME_CNF
# ----------------------
# func_stripname_cnf prefix suffix name
# strip PREFIX and SUFFIX off of NAME.
# PREFIX and SUFFIX must not contain globbing or regex special
# characters, hashes, percent signs, but SUFFIX may contain a leading
# dot (in which case that matches only a dot).
#
# This function is identical to the (non-XSI) version of func_stripname,
# except this one can be used by m4 code that may be executed by configure,
# rather than the libtool script.
m4_defun([_LT_FUNC_STRIPNAME_CNF],[dnl
AC_REQUIRE([_LT_DECL_SED])
AC_REQUIRE([_LT_PROG_ECHO_BACKSLASH])
func_stripname_cnf ()
{
case ${2} in
.*) func_stripname_result=`$ECHO "${3}" | $SED "s%^${1}%%; s%\\\\${2}\$%%"`;;
*) func_stripname_result=`$ECHO "${3}" | $SED "s%^${1}%%; s%${2}\$%%"`;;
esac
} # func_stripname_cnf
])# _LT_FUNC_STRIPNAME_CNF
# _LT_SYS_HIDDEN_LIBDEPS([TAGNAME])
# ---------------------------------
# Figure out "hidden" library dependencies from verbose
# compiler output when linking a shared library.
# Parse the compiler output and extract the necessary
# objects, libraries and library flags.
m4_defun([_LT_SYS_HIDDEN_LIBDEPS],
[m4_require([_LT_FILEUTILS_DEFAULTS])dnl
AC_REQUIRE([_LT_FUNC_STRIPNAME_CNF])dnl
# Dependencies to place before and after the object being linked:
_LT_TAGVAR(predep_objects, $1)=
_LT_TAGVAR(postdep_objects, $1)=
_LT_TAGVAR(predeps, $1)=
_LT_TAGVAR(postdeps, $1)=
_LT_TAGVAR(compiler_lib_search_path, $1)=
dnl we can't use the lt_simple_compile_test_code here,
dnl because it contains code intended for an executable,
dnl not a library. It's possible we should let each
dnl tag define a new lt_????_link_test_code variable,
dnl but it's only used here...
m4_if([$1], [], [cat > conftest.$ac_ext <<_LT_EOF
int a;
void foo (void) { a = 0; }
_LT_EOF
], [$1], [CXX], [cat > conftest.$ac_ext <<_LT_EOF
class Foo
{
public:
Foo (void) { a = 0; }
private:
int a;
};
_LT_EOF
], [$1], [F77], [cat > conftest.$ac_ext <<_LT_EOF
subroutine foo
implicit none
integer*4 a
a=0
return
end
_LT_EOF
], [$1], [FC], [cat > conftest.$ac_ext <<_LT_EOF
subroutine foo
implicit none
integer a
a=0
return
end
_LT_EOF
], [$1], [GCJ], [cat > conftest.$ac_ext <<_LT_EOF
public class foo {
private int a;
public void bar (void) {
a = 0;
}
};
_LT_EOF
], [$1], [GO], [cat > conftest.$ac_ext <<_LT_EOF
package foo
func foo() {
}
_LT_EOF
])
_lt_libdeps_save_CFLAGS=$CFLAGS
case "$CC $CFLAGS " in #(
*\ -flto*\ *) CFLAGS="$CFLAGS -fno-lto" ;;
*\ -fwhopr*\ *) CFLAGS="$CFLAGS -fno-whopr" ;;
*\ -fuse-linker-plugin*\ *) CFLAGS="$CFLAGS -fno-use-linker-plugin" ;;
esac
dnl Parse the compiler output and extract the necessary
dnl objects, libraries and library flags.
if AC_TRY_EVAL(ac_compile); then
# Parse the compiler output and extract the necessary
# objects, libraries and library flags.
# Sentinel used to keep track of whether or not we are before
# the conftest object file.
pre_test_object_deps_done=no
for p in `eval "$output_verbose_link_cmd"`; do
case ${prev}${p} in
-L* | -R* | -l*)
# Some compilers place space between "-{L,R}" and the path.
# Remove the space.
if test $p = "-L" ||
test $p = "-R"; then
prev=$p
continue
fi
# Expand the sysroot to ease extracting the directories later.
if test -z "$prev"; then
case $p in
-L*) func_stripname_cnf '-L' '' "$p"; prev=-L; p=$func_stripname_result ;;
-R*) func_stripname_cnf '-R' '' "$p"; prev=-R; p=$func_stripname_result ;;
-l*) func_stripname_cnf '-l' '' "$p"; prev=-l; p=$func_stripname_result ;;
esac
fi
case $p in
=*) func_stripname_cnf '=' '' "$p"; p=$lt_sysroot$func_stripname_result ;;
esac
if test "$pre_test_object_deps_done" = no; then
case ${prev} in
-L | -R)
# Internal compiler library paths should come after those
# provided the user. The postdeps already come after the
# user supplied libs so there is no need to process them.
if test -z "$_LT_TAGVAR(compiler_lib_search_path, $1)"; then
_LT_TAGVAR(compiler_lib_search_path, $1)="${prev}${p}"
else
_LT_TAGVAR(compiler_lib_search_path, $1)="${_LT_TAGVAR(compiler_lib_search_path, $1)} ${prev}${p}"
fi
;;
# The "-l" case would never come before the object being
# linked, so don't bother handling this case.
esac
else
if test -z "$_LT_TAGVAR(postdeps, $1)"; then
_LT_TAGVAR(postdeps, $1)="${prev}${p}"
else
_LT_TAGVAR(postdeps, $1)="${_LT_TAGVAR(postdeps, $1)} ${prev}${p}"
fi
fi
prev=
;;
*.lto.$objext) ;; # Ignore GCC LTO objects
*.$objext)
# This assumes that the test object file only shows up
# once in the compiler output.
if test "$p" = "conftest.$objext"; then
pre_test_object_deps_done=yes
continue
fi
if test "$pre_test_object_deps_done" = no; then
if test -z "$_LT_TAGVAR(predep_objects, $1)"; then
_LT_TAGVAR(predep_objects, $1)="$p"
else
_LT_TAGVAR(predep_objects, $1)="$_LT_TAGVAR(predep_objects, $1) $p"
fi
else
if test -z "$_LT_TAGVAR(postdep_objects, $1)"; then
_LT_TAGVAR(postdep_objects, $1)="$p"
else
_LT_TAGVAR(postdep_objects, $1)="$_LT_TAGVAR(postdep_objects, $1) $p"
fi
fi
;;
*) ;; # Ignore the rest.
esac
done
# Clean up.
rm -f a.out a.exe
else
echo "libtool.m4: error: problem compiling $1 test program"
fi
$RM -f confest.$objext
CFLAGS=$_lt_libdeps_save_CFLAGS
# PORTME: override above test on systems where it is broken
m4_if([$1], [CXX],
[case $host_os in
interix[[3-9]]*)
# Interix 3.5 installs completely hosed .la files for C++, so rather than
# hack all around it, let's just trust "g++" to DTRT.
_LT_TAGVAR(predep_objects,$1)=
_LT_TAGVAR(postdep_objects,$1)=
_LT_TAGVAR(postdeps,$1)=
;;
linux*)
case `$CC -V 2>&1 | sed 5q` in
*Sun\ C*)
# Sun C++ 5.9
# The more standards-conforming stlport4 library is
# incompatible with the Cstd library. Avoid specifying
# it if it's in CXXFLAGS. Ignore libCrun as
# -library=stlport4 depends on it.
case " $CXX $CXXFLAGS " in
*" -library=stlport4 "*)
solaris_use_stlport4=yes
;;
esac
if test "$solaris_use_stlport4" != yes; then
_LT_TAGVAR(postdeps,$1)='-library=Cstd -library=Crun'
fi
;;
esac
;;
solaris*)
case $cc_basename in
CC* | sunCC*)
# The more standards-conforming stlport4 library is
# incompatible with the Cstd library. Avoid specifying
# it if it's in CXXFLAGS. Ignore libCrun as
# -library=stlport4 depends on it.
case " $CXX $CXXFLAGS " in
*" -library=stlport4 "*)
solaris_use_stlport4=yes
;;
esac
# Adding this requires a known-good setup of shared libraries for
# Sun compiler versions before 5.6, else PIC objects from an old
# archive will be linked into the output, leading to subtle bugs.
if test "$solaris_use_stlport4" != yes; then
_LT_TAGVAR(postdeps,$1)='-library=Cstd -library=Crun'
fi
;;
esac
;;
esac
])
case " $_LT_TAGVAR(postdeps, $1) " in
*" -lc "*) _LT_TAGVAR(archive_cmds_need_lc, $1)=no ;;
esac
_LT_TAGVAR(compiler_lib_search_dirs, $1)=
if test -n "${_LT_TAGVAR(compiler_lib_search_path, $1)}"; then
_LT_TAGVAR(compiler_lib_search_dirs, $1)=`echo " ${_LT_TAGVAR(compiler_lib_search_path, $1)}" | ${SED} -e 's! -L! !g' -e 's!^ !!'`
fi
_LT_TAGDECL([], [compiler_lib_search_dirs], [1],
[The directories searched by this compiler when creating a shared library])
_LT_TAGDECL([], [predep_objects], [1],
[Dependencies to place before and after the objects being linked to
create a shared library])
_LT_TAGDECL([], [postdep_objects], [1])
_LT_TAGDECL([], [predeps], [1])
_LT_TAGDECL([], [postdeps], [1])
_LT_TAGDECL([], [compiler_lib_search_path], [1],
[The library search path used internally by the compiler when linking
a shared library])
])# _LT_SYS_HIDDEN_LIBDEPS
# _LT_LANG_F77_CONFIG([TAG])
# --------------------------
# Ensure that the configuration variables for a Fortran 77 compiler are
# suitably defined. These variables are subsequently used by _LT_CONFIG
# to write the compiler configuration to `libtool'.
m4_defun([_LT_LANG_F77_CONFIG],
[AC_LANG_PUSH(Fortran 77)
if test -z "$F77" || test "X$F77" = "Xno"; then
_lt_disable_F77=yes
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(allow_undefined_flag, $1)=
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(archive_expsym_cmds, $1)=
_LT_TAGVAR(export_dynamic_flag_spec, $1)=
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=
_LT_TAGVAR(hardcode_libdir_separator, $1)=
_LT_TAGVAR(hardcode_minus_L, $1)=no
_LT_TAGVAR(hardcode_automatic, $1)=no
_LT_TAGVAR(inherit_rpath, $1)=no
_LT_TAGVAR(module_cmds, $1)=
_LT_TAGVAR(module_expsym_cmds, $1)=
_LT_TAGVAR(link_all_deplibs, $1)=unknown
_LT_TAGVAR(old_archive_cmds, $1)=$old_archive_cmds
_LT_TAGVAR(reload_flag, $1)=$reload_flag
_LT_TAGVAR(reload_cmds, $1)=$reload_cmds
_LT_TAGVAR(no_undefined_flag, $1)=
_LT_TAGVAR(whole_archive_flag_spec, $1)=
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=no
# Source file extension for f77 test sources.
ac_ext=f
# Object file extension for compiled f77 test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# No sense in running all these tests if we already determined that
# the F77 compiler isn't working. Some variables (like enable_shared)
# are currently assumed to apply to all compilers on this platform,
# and will be corrupted by setting them based on a non-working compiler.
if test "$_lt_disable_F77" != yes; then
# Code to be used in simple compile tests
lt_simple_compile_test_code="\
subroutine t
return
end
"
# Code to be used in simple link tests
lt_simple_link_test_code="\
program t
end
"
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC="$CC"
lt_save_GCC=$GCC
lt_save_CFLAGS=$CFLAGS
CC=${F77-"f77"}
CFLAGS=$FFLAGS
compiler=$CC
_LT_TAGVAR(compiler, $1)=$CC
_LT_CC_BASENAME([$compiler])
GCC=$G77
if test -n "$compiler"; then
AC_MSG_CHECKING([if libtool supports shared libraries])
AC_MSG_RESULT([$can_build_shared])
AC_MSG_CHECKING([whether to build shared libraries])
test "$can_build_shared" = "no" && enable_shared=no
# On AIX, shared libraries and static libraries use the same namespace, and
# are all built from PIC.
case $host_os in
aix3*)
test "$enable_shared" = yes && enable_static=no
if test -n "$RANLIB"; then
archive_cmds="$archive_cmds~\$RANLIB \$lib"
postinstall_cmds='$RANLIB $lib'
fi
;;
aix[[4-9]]*)
if test "$host_cpu" != ia64 && test "$aix_use_runtimelinking" = no ; then
test "$enable_shared" = yes && enable_static=no
fi
;;
esac
AC_MSG_RESULT([$enable_shared])
AC_MSG_CHECKING([whether to build static libraries])
# Make sure either enable_shared or enable_static is yes.
test "$enable_shared" = yes || enable_static=yes
AC_MSG_RESULT([$enable_static])
_LT_TAGVAR(GCC, $1)="$G77"
_LT_TAGVAR(LD, $1)="$LD"
## CAVEAT EMPTOR:
## There is no encapsulation within the following macros, do not change
## the running order or otherwise move them around unless you know exactly
## what you are doing...
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_SYS_DYNAMIC_LINKER($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
_LT_CONFIG($1)
fi # test -n "$compiler"
GCC=$lt_save_GCC
CC="$lt_save_CC"
CFLAGS="$lt_save_CFLAGS"
fi # test "$_lt_disable_F77" != yes
AC_LANG_POP
])# _LT_LANG_F77_CONFIG
# _LT_LANG_FC_CONFIG([TAG])
# -------------------------
# Ensure that the configuration variables for a Fortran compiler are
# suitably defined. These variables are subsequently used by _LT_CONFIG
# to write the compiler configuration to `libtool'.
m4_defun([_LT_LANG_FC_CONFIG],
[AC_LANG_PUSH(Fortran)
if test -z "$FC" || test "X$FC" = "Xno"; then
_lt_disable_FC=yes
fi
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(allow_undefined_flag, $1)=
_LT_TAGVAR(always_export_symbols, $1)=no
_LT_TAGVAR(archive_expsym_cmds, $1)=
_LT_TAGVAR(export_dynamic_flag_spec, $1)=
_LT_TAGVAR(hardcode_direct, $1)=no
_LT_TAGVAR(hardcode_direct_absolute, $1)=no
_LT_TAGVAR(hardcode_libdir_flag_spec, $1)=
_LT_TAGVAR(hardcode_libdir_separator, $1)=
_LT_TAGVAR(hardcode_minus_L, $1)=no
_LT_TAGVAR(hardcode_automatic, $1)=no
_LT_TAGVAR(inherit_rpath, $1)=no
_LT_TAGVAR(module_cmds, $1)=
_LT_TAGVAR(module_expsym_cmds, $1)=
_LT_TAGVAR(link_all_deplibs, $1)=unknown
_LT_TAGVAR(old_archive_cmds, $1)=$old_archive_cmds
_LT_TAGVAR(reload_flag, $1)=$reload_flag
_LT_TAGVAR(reload_cmds, $1)=$reload_cmds
_LT_TAGVAR(no_undefined_flag, $1)=
_LT_TAGVAR(whole_archive_flag_spec, $1)=
_LT_TAGVAR(enable_shared_with_static_runtimes, $1)=no
# Source file extension for fc test sources.
ac_ext=${ac_fc_srcext-f}
# Object file extension for compiled fc test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# No sense in running all these tests if we already determined that
# the FC compiler isn't working. Some variables (like enable_shared)
# are currently assumed to apply to all compilers on this platform,
# and will be corrupted by setting them based on a non-working compiler.
if test "$_lt_disable_FC" != yes; then
# Code to be used in simple compile tests
lt_simple_compile_test_code="\
subroutine t
return
end
"
# Code to be used in simple link tests
lt_simple_link_test_code="\
program t
end
"
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC="$CC"
lt_save_GCC=$GCC
lt_save_CFLAGS=$CFLAGS
CC=${FC-"f95"}
CFLAGS=$FCFLAGS
compiler=$CC
GCC=$ac_cv_fc_compiler_gnu
_LT_TAGVAR(compiler, $1)=$CC
_LT_CC_BASENAME([$compiler])
if test -n "$compiler"; then
AC_MSG_CHECKING([if libtool supports shared libraries])
AC_MSG_RESULT([$can_build_shared])
AC_MSG_CHECKING([whether to build shared libraries])
test "$can_build_shared" = "no" && enable_shared=no
# On AIX, shared libraries and static libraries use the same namespace, and
# are all built from PIC.
case $host_os in
aix3*)
test "$enable_shared" = yes && enable_static=no
if test -n "$RANLIB"; then
archive_cmds="$archive_cmds~\$RANLIB \$lib"
postinstall_cmds='$RANLIB $lib'
fi
;;
aix[[4-9]]*)
if test "$host_cpu" != ia64 && test "$aix_use_runtimelinking" = no ; then
test "$enable_shared" = yes && enable_static=no
fi
;;
esac
AC_MSG_RESULT([$enable_shared])
AC_MSG_CHECKING([whether to build static libraries])
# Make sure either enable_shared or enable_static is yes.
test "$enable_shared" = yes || enable_static=yes
AC_MSG_RESULT([$enable_static])
_LT_TAGVAR(GCC, $1)="$ac_cv_fc_compiler_gnu"
_LT_TAGVAR(LD, $1)="$LD"
## CAVEAT EMPTOR:
## There is no encapsulation within the following macros, do not change
## the running order or otherwise move them around unless you know exactly
## what you are doing...
_LT_SYS_HIDDEN_LIBDEPS($1)
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_SYS_DYNAMIC_LINKER($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
_LT_CONFIG($1)
fi # test -n "$compiler"
GCC=$lt_save_GCC
CC=$lt_save_CC
CFLAGS=$lt_save_CFLAGS
fi # test "$_lt_disable_FC" != yes
AC_LANG_POP
])# _LT_LANG_FC_CONFIG
# _LT_LANG_GCJ_CONFIG([TAG])
# --------------------------
# Ensure that the configuration variables for the GNU Java Compiler compiler
# are suitably defined. These variables are subsequently used by _LT_CONFIG
# to write the compiler configuration to `libtool'.
m4_defun([_LT_LANG_GCJ_CONFIG],
[AC_REQUIRE([LT_PROG_GCJ])dnl
AC_LANG_SAVE
# Source file extension for Java test sources.
ac_ext=java
# Object file extension for compiled Java test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# Code to be used in simple compile tests
lt_simple_compile_test_code="class foo {}"
# Code to be used in simple link tests
lt_simple_link_test_code='public class conftest { public static void main(String[[]] argv) {}; }'
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC=$CC
lt_save_CFLAGS=$CFLAGS
lt_save_GCC=$GCC
GCC=yes
CC=${GCJ-"gcj"}
CFLAGS=$GCJFLAGS
compiler=$CC
_LT_TAGVAR(compiler, $1)=$CC
_LT_TAGVAR(LD, $1)="$LD"
_LT_CC_BASENAME([$compiler])
# GCJ did not exist at the time GCC didn't implicitly link libc in.
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(old_archive_cmds, $1)=$old_archive_cmds
_LT_TAGVAR(reload_flag, $1)=$reload_flag
_LT_TAGVAR(reload_cmds, $1)=$reload_cmds
if test -n "$compiler"; then
_LT_COMPILER_NO_RTTI($1)
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
_LT_CONFIG($1)
fi
AC_LANG_RESTORE
GCC=$lt_save_GCC
CC=$lt_save_CC
CFLAGS=$lt_save_CFLAGS
])# _LT_LANG_GCJ_CONFIG
# _LT_LANG_GO_CONFIG([TAG])
# --------------------------
# Ensure that the configuration variables for the GNU Go compiler
# are suitably defined. These variables are subsequently used by _LT_CONFIG
# to write the compiler configuration to `libtool'.
m4_defun([_LT_LANG_GO_CONFIG],
[AC_REQUIRE([LT_PROG_GO])dnl
AC_LANG_SAVE
# Source file extension for Go test sources.
ac_ext=go
# Object file extension for compiled Go test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# Code to be used in simple compile tests
lt_simple_compile_test_code="package main; func main() { }"
# Code to be used in simple link tests
lt_simple_link_test_code='package main; func main() { }'
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC=$CC
lt_save_CFLAGS=$CFLAGS
lt_save_GCC=$GCC
GCC=yes
CC=${GOC-"gccgo"}
CFLAGS=$GOFLAGS
compiler=$CC
_LT_TAGVAR(compiler, $1)=$CC
_LT_TAGVAR(LD, $1)="$LD"
_LT_CC_BASENAME([$compiler])
# Go did not exist at the time GCC didn't implicitly link libc in.
_LT_TAGVAR(archive_cmds_need_lc, $1)=no
_LT_TAGVAR(old_archive_cmds, $1)=$old_archive_cmds
_LT_TAGVAR(reload_flag, $1)=$reload_flag
_LT_TAGVAR(reload_cmds, $1)=$reload_cmds
if test -n "$compiler"; then
_LT_COMPILER_NO_RTTI($1)
_LT_COMPILER_PIC($1)
_LT_COMPILER_C_O($1)
_LT_COMPILER_FILE_LOCKS($1)
_LT_LINKER_SHLIBS($1)
_LT_LINKER_HARDCODE_LIBPATH($1)
_LT_CONFIG($1)
fi
AC_LANG_RESTORE
GCC=$lt_save_GCC
CC=$lt_save_CC
CFLAGS=$lt_save_CFLAGS
])# _LT_LANG_GO_CONFIG
# _LT_LANG_RC_CONFIG([TAG])
# -------------------------
# Ensure that the configuration variables for the Windows resource compiler
# are suitably defined. These variables are subsequently used by _LT_CONFIG
# to write the compiler configuration to `libtool'.
m4_defun([_LT_LANG_RC_CONFIG],
[AC_REQUIRE([LT_PROG_RC])dnl
AC_LANG_SAVE
# Source file extension for RC test sources.
ac_ext=rc
# Object file extension for compiled RC test sources.
objext=o
_LT_TAGVAR(objext, $1)=$objext
# Code to be used in simple compile tests
lt_simple_compile_test_code='sample MENU { MENUITEM "&Soup", 100, CHECKED }'
# Code to be used in simple link tests
lt_simple_link_test_code="$lt_simple_compile_test_code"
# ltmain only uses $CC for tagged configurations so make sure $CC is set.
_LT_TAG_COMPILER
# save warnings/boilerplate of simple test code
_LT_COMPILER_BOILERPLATE
_LT_LINKER_BOILERPLATE
# Allow CC to be a program name with arguments.
lt_save_CC="$CC"
lt_save_CFLAGS=$CFLAGS
lt_save_GCC=$GCC
GCC=
CC=${RC-"windres"}
CFLAGS=
compiler=$CC
_LT_TAGVAR(compiler, $1)=$CC
_LT_CC_BASENAME([$compiler])
_LT_TAGVAR(lt_cv_prog_compiler_c_o, $1)=yes
if test -n "$compiler"; then
:
_LT_CONFIG($1)
fi
GCC=$lt_save_GCC
AC_LANG_RESTORE
CC=$lt_save_CC
CFLAGS=$lt_save_CFLAGS
])# _LT_LANG_RC_CONFIG
# LT_PROG_GCJ
# -----------
AC_DEFUN([LT_PROG_GCJ],
[m4_ifdef([AC_PROG_GCJ], [AC_PROG_GCJ],
[m4_ifdef([A][M_PROG_GCJ], [A][M_PROG_GCJ],
[AC_CHECK_TOOL(GCJ, gcj,)
test "x${GCJFLAGS+set}" = xset || GCJFLAGS="-g -O2"
AC_SUBST(GCJFLAGS)])])[]dnl
])
# Old name:
AU_ALIAS([LT_AC_PROG_GCJ], [LT_PROG_GCJ])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([LT_AC_PROG_GCJ], [])
# LT_PROG_GO
# ----------
AC_DEFUN([LT_PROG_GO],
[AC_CHECK_TOOL(GOC, gccgo,)
])
# LT_PROG_RC
# ----------
AC_DEFUN([LT_PROG_RC],
[AC_CHECK_TOOL(RC, windres,)
])
# Old name:
AU_ALIAS([LT_AC_PROG_RC], [LT_PROG_RC])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([LT_AC_PROG_RC], [])
# _LT_DECL_EGREP
# --------------
# If we don't have a new enough Autoconf to choose the best grep
# available, choose the one first in the user's PATH.
m4_defun([_LT_DECL_EGREP],
[AC_REQUIRE([AC_PROG_EGREP])dnl
AC_REQUIRE([AC_PROG_FGREP])dnl
test -z "$GREP" && GREP=grep
_LT_DECL([], [GREP], [1], [A grep program that handles long lines])
_LT_DECL([], [EGREP], [1], [An ERE matcher])
_LT_DECL([], [FGREP], [1], [A literal string matcher])
dnl Non-bleeding-edge autoconf doesn't subst GREP, so do it here too
AC_SUBST([GREP])
])
# _LT_DECL_OBJDUMP
# --------------
# If we don't have a new enough Autoconf to choose the best objdump
# available, choose the one first in the user's PATH.
m4_defun([_LT_DECL_OBJDUMP],
[AC_CHECK_TOOL(OBJDUMP, objdump, false)
test -z "$OBJDUMP" && OBJDUMP=objdump
_LT_DECL([], [OBJDUMP], [1], [An object symbol dumper])
AC_SUBST([OBJDUMP])
])
# _LT_DECL_DLLTOOL
# ----------------
# Ensure DLLTOOL variable is set.
m4_defun([_LT_DECL_DLLTOOL],
[AC_CHECK_TOOL(DLLTOOL, dlltool, false)
test -z "$DLLTOOL" && DLLTOOL=dlltool
_LT_DECL([], [DLLTOOL], [1], [DLL creation program])
AC_SUBST([DLLTOOL])
])
# _LT_DECL_SED
# ------------
# Check for a fully-functional sed program, that truncates
# as few characters as possible. Prefer GNU sed if found.
m4_defun([_LT_DECL_SED],
[AC_PROG_SED
test -z "$SED" && SED=sed
Xsed="$SED -e 1s/^X//"
_LT_DECL([], [SED], [1], [A sed program that does not truncate output])
_LT_DECL([], [Xsed], ["\$SED -e 1s/^X//"],
[Sed that helps us avoid accidentally triggering echo(1) options like -n])
])# _LT_DECL_SED
m4_ifndef([AC_PROG_SED], [
# NOTE: This macro has been submitted for inclusion into #
# GNU Autoconf as AC_PROG_SED. When it is available in #
# a released version of Autoconf we should remove this #
# macro and use it instead. #
m4_defun([AC_PROG_SED],
[AC_MSG_CHECKING([for a sed that does not truncate output])
AC_CACHE_VAL(lt_cv_path_SED,
[# Loop through the user's path and test for sed and gsed.
# Then use that list of sed's as ones to test for truncation.
as_save_IFS=$IFS; IFS=$PATH_SEPARATOR
for as_dir in $PATH
do
IFS=$as_save_IFS
test -z "$as_dir" && as_dir=.
for lt_ac_prog in sed gsed; do
for ac_exec_ext in '' $ac_executable_extensions; do
if $as_executable_p "$as_dir/$lt_ac_prog$ac_exec_ext"; then
lt_ac_sed_list="$lt_ac_sed_list $as_dir/$lt_ac_prog$ac_exec_ext"
fi
done
done
done
IFS=$as_save_IFS
lt_ac_max=0
lt_ac_count=0
# Add /usr/xpg4/bin/sed as it is typically found on Solaris
# along with /bin/sed that truncates output.
for lt_ac_sed in $lt_ac_sed_list /usr/xpg4/bin/sed; do
test ! -f $lt_ac_sed && continue
cat /dev/null > conftest.in
lt_ac_count=0
echo $ECHO_N "0123456789$ECHO_C" >conftest.in
# Check for GNU sed and select it if it is found.
if "$lt_ac_sed" --version 2>&1 < /dev/null | grep 'GNU' > /dev/null; then
lt_cv_path_SED=$lt_ac_sed
break
fi
while true; do
cat conftest.in conftest.in >conftest.tmp
mv conftest.tmp conftest.in
cp conftest.in conftest.nl
echo >>conftest.nl
$lt_ac_sed -e 's/a$//' < conftest.nl >conftest.out || break
cmp -s conftest.out conftest.nl || break
# 10000 chars as input seems more than enough
test $lt_ac_count -gt 10 && break
lt_ac_count=`expr $lt_ac_count + 1`
if test $lt_ac_count -gt $lt_ac_max; then
lt_ac_max=$lt_ac_count
lt_cv_path_SED=$lt_ac_sed
fi
done
done
])
SED=$lt_cv_path_SED
AC_SUBST([SED])
AC_MSG_RESULT([$SED])
])#AC_PROG_SED
])#m4_ifndef
# Old name:
AU_ALIAS([LT_AC_PROG_SED], [AC_PROG_SED])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([LT_AC_PROG_SED], [])
# _LT_CHECK_SHELL_FEATURES
# ------------------------
# Find out whether the shell is Bourne or XSI compatible,
# or has some other useful features.
m4_defun([_LT_CHECK_SHELL_FEATURES],
[AC_MSG_CHECKING([whether the shell understands some XSI constructs])
# Try some XSI features
xsi_shell=no
( _lt_dummy="a/b/c"
test "${_lt_dummy##*/},${_lt_dummy%/*},${_lt_dummy#??}"${_lt_dummy%"$_lt_dummy"}, \
= c,a/b,b/c, \
&& eval 'test $(( 1 + 1 )) -eq 2 \
&& test "${#_lt_dummy}" -eq 5' ) >/dev/null 2>&1 \
&& xsi_shell=yes
AC_MSG_RESULT([$xsi_shell])
_LT_CONFIG_LIBTOOL_INIT([xsi_shell='$xsi_shell'])
AC_MSG_CHECKING([whether the shell understands "+="])
lt_shell_append=no
( foo=bar; set foo baz; eval "$[1]+=\$[2]" && test "$foo" = barbaz ) \
>/dev/null 2>&1 \
&& lt_shell_append=yes
AC_MSG_RESULT([$lt_shell_append])
_LT_CONFIG_LIBTOOL_INIT([lt_shell_append='$lt_shell_append'])
if ( (MAIL=60; unset MAIL) || exit) >/dev/null 2>&1; then
lt_unset=unset
else
lt_unset=false
fi
_LT_DECL([], [lt_unset], [0], [whether the shell understands "unset"])dnl
# test EBCDIC or ASCII
case `echo X|tr X '\101'` in
A) # ASCII based system
# \n is not interpreted correctly by Solaris 8 /usr/ucb/tr
lt_SP2NL='tr \040 \012'
lt_NL2SP='tr \015\012 \040\040'
;;
*) # EBCDIC based system
lt_SP2NL='tr \100 \n'
lt_NL2SP='tr \r\n \100\100'
;;
esac
_LT_DECL([SP2NL], [lt_SP2NL], [1], [turn spaces into newlines])dnl
_LT_DECL([NL2SP], [lt_NL2SP], [1], [turn newlines into spaces])dnl
])# _LT_CHECK_SHELL_FEATURES
# _LT_PROG_FUNCTION_REPLACE (FUNCNAME, REPLACEMENT-BODY)
# ------------------------------------------------------
# In `$cfgfile', look for function FUNCNAME delimited by `^FUNCNAME ()$' and
# '^} FUNCNAME ', and replace its body with REPLACEMENT-BODY.
m4_defun([_LT_PROG_FUNCTION_REPLACE],
[dnl {
sed -e '/^$1 ()$/,/^} # $1 /c\
$1 ()\
{\
m4_bpatsubsts([$2], [$], [\\], [^\([ ]\)], [\\\1])
} # Extended-shell $1 implementation' "$cfgfile" > $cfgfile.tmp \
&& mv -f "$cfgfile.tmp" "$cfgfile" \
|| (rm -f "$cfgfile" && cp "$cfgfile.tmp" "$cfgfile" && rm -f "$cfgfile.tmp")
test 0 -eq $? || _lt_function_replace_fail=:
])
# _LT_PROG_REPLACE_SHELLFNS
# -------------------------
# Replace existing portable implementations of several shell functions with
# equivalent extended shell implementations where those features are available..
m4_defun([_LT_PROG_REPLACE_SHELLFNS],
[if test x"$xsi_shell" = xyes; then
_LT_PROG_FUNCTION_REPLACE([func_dirname], [dnl
case ${1} in
*/*) func_dirname_result="${1%/*}${2}" ;;
* ) func_dirname_result="${3}" ;;
esac])
_LT_PROG_FUNCTION_REPLACE([func_basename], [dnl
func_basename_result="${1##*/}"])
_LT_PROG_FUNCTION_REPLACE([func_dirname_and_basename], [dnl
case ${1} in
*/*) func_dirname_result="${1%/*}${2}" ;;
* ) func_dirname_result="${3}" ;;
esac
func_basename_result="${1##*/}"])
_LT_PROG_FUNCTION_REPLACE([func_stripname], [dnl
# pdksh 5.2.14 does not do ${X%$Y} correctly if both X and Y are
# positional parameters, so assign one to ordinary parameter first.
func_stripname_result=${3}
func_stripname_result=${func_stripname_result#"${1}"}
func_stripname_result=${func_stripname_result%"${2}"}])
_LT_PROG_FUNCTION_REPLACE([func_split_long_opt], [dnl
func_split_long_opt_name=${1%%=*}
func_split_long_opt_arg=${1#*=}])
_LT_PROG_FUNCTION_REPLACE([func_split_short_opt], [dnl
func_split_short_opt_arg=${1#??}
func_split_short_opt_name=${1%"$func_split_short_opt_arg"}])
_LT_PROG_FUNCTION_REPLACE([func_lo2o], [dnl
case ${1} in
*.lo) func_lo2o_result=${1%.lo}.${objext} ;;
*) func_lo2o_result=${1} ;;
esac])
_LT_PROG_FUNCTION_REPLACE([func_xform], [ func_xform_result=${1%.*}.lo])
_LT_PROG_FUNCTION_REPLACE([func_arith], [ func_arith_result=$(( $[*] ))])
_LT_PROG_FUNCTION_REPLACE([func_len], [ func_len_result=${#1}])
fi
if test x"$lt_shell_append" = xyes; then
_LT_PROG_FUNCTION_REPLACE([func_append], [ eval "${1}+=\\${2}"])
_LT_PROG_FUNCTION_REPLACE([func_append_quoted], [dnl
func_quote_for_eval "${2}"
dnl m4 expansion turns \\\\ into \\, and then the shell eval turns that into \
eval "${1}+=\\\\ \\$func_quote_for_eval_result"])
# Save a `func_append' function call where possible by direct use of '+='
sed -e 's%func_append \([[a-zA-Z_]]\{1,\}\) "%\1+="%g' $cfgfile > $cfgfile.tmp \
&& mv -f "$cfgfile.tmp" "$cfgfile" \
|| (rm -f "$cfgfile" && cp "$cfgfile.tmp" "$cfgfile" && rm -f "$cfgfile.tmp")
test 0 -eq $? || _lt_function_replace_fail=:
else
# Save a `func_append' function call even when '+=' is not available
sed -e 's%func_append \([[a-zA-Z_]]\{1,\}\) "%\1="$\1%g' $cfgfile > $cfgfile.tmp \
&& mv -f "$cfgfile.tmp" "$cfgfile" \
|| (rm -f "$cfgfile" && cp "$cfgfile.tmp" "$cfgfile" && rm -f "$cfgfile.tmp")
test 0 -eq $? || _lt_function_replace_fail=:
fi
if test x"$_lt_function_replace_fail" = x":"; then
AC_MSG_WARN([Unable to substitute extended shell functions in $ofile])
fi
])
# _LT_PATH_CONVERSION_FUNCTIONS
# -----------------------------
# Determine which file name conversion functions should be used by
# func_to_host_file (and, implicitly, by func_to_host_path). These are needed
# for certain cross-compile configurations and native mingw.
m4_defun([_LT_PATH_CONVERSION_FUNCTIONS],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
AC_REQUIRE([AC_CANONICAL_BUILD])dnl
AC_MSG_CHECKING([how to convert $build file names to $host format])
AC_CACHE_VAL(lt_cv_to_host_file_cmd,
[case $host in
*-*-mingw* )
case $build in
*-*-mingw* ) # actually msys
lt_cv_to_host_file_cmd=func_convert_file_msys_to_w32
;;
*-*-cygwin* )
lt_cv_to_host_file_cmd=func_convert_file_cygwin_to_w32
;;
* ) # otherwise, assume *nix
lt_cv_to_host_file_cmd=func_convert_file_nix_to_w32
;;
esac
;;
*-*-cygwin* )
case $build in
*-*-mingw* ) # actually msys
lt_cv_to_host_file_cmd=func_convert_file_msys_to_cygwin
;;
*-*-cygwin* )
lt_cv_to_host_file_cmd=func_convert_file_noop
;;
* ) # otherwise, assume *nix
lt_cv_to_host_file_cmd=func_convert_file_nix_to_cygwin
;;
esac
;;
* ) # unhandled hosts (and "normal" native builds)
lt_cv_to_host_file_cmd=func_convert_file_noop
;;
esac
])
to_host_file_cmd=$lt_cv_to_host_file_cmd
AC_MSG_RESULT([$lt_cv_to_host_file_cmd])
_LT_DECL([to_host_file_cmd], [lt_cv_to_host_file_cmd],
[0], [convert $build file names to $host format])dnl
AC_MSG_CHECKING([how to convert $build file names to toolchain format])
AC_CACHE_VAL(lt_cv_to_tool_file_cmd,
[#assume ordinary cross tools, or native build.
lt_cv_to_tool_file_cmd=func_convert_file_noop
case $host in
*-*-mingw* )
case $build in
*-*-mingw* ) # actually msys
lt_cv_to_tool_file_cmd=func_convert_file_msys_to_w32
;;
esac
;;
esac
])
to_tool_file_cmd=$lt_cv_to_tool_file_cmd
AC_MSG_RESULT([$lt_cv_to_tool_file_cmd])
_LT_DECL([to_tool_file_cmd], [lt_cv_to_tool_file_cmd],
[0], [convert $build files to toolchain format])dnl
])# _LT_PATH_CONVERSION_FUNCTIONS
# Helper functions for option handling. -*- Autoconf -*-
#
# Copyright (C) 2004, 2005, 2007, 2008, 2009 Free Software Foundation,
# Inc.
# Written by Gary V. Vaughan, 2004
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
# serial 7 ltoptions.m4
# This is to help aclocal find these macros, as it can't see m4_define.
AC_DEFUN([LTOPTIONS_VERSION], [m4_if([1])])
# _LT_MANGLE_OPTION(MACRO-NAME, OPTION-NAME)
# ------------------------------------------
m4_define([_LT_MANGLE_OPTION],
[[_LT_OPTION_]m4_bpatsubst($1__$2, [[^a-zA-Z0-9_]], [_])])
# _LT_SET_OPTION(MACRO-NAME, OPTION-NAME)
# ---------------------------------------
# Set option OPTION-NAME for macro MACRO-NAME, and if there is a
# matching handler defined, dispatch to it. Other OPTION-NAMEs are
# saved as a flag.
m4_define([_LT_SET_OPTION],
[m4_define(_LT_MANGLE_OPTION([$1], [$2]))dnl
m4_ifdef(_LT_MANGLE_DEFUN([$1], [$2]),
_LT_MANGLE_DEFUN([$1], [$2]),
[m4_warning([Unknown $1 option `$2'])])[]dnl
])
# _LT_IF_OPTION(MACRO-NAME, OPTION-NAME, IF-SET, [IF-NOT-SET])
# ------------------------------------------------------------
# Execute IF-SET if OPTION is set, IF-NOT-SET otherwise.
m4_define([_LT_IF_OPTION],
[m4_ifdef(_LT_MANGLE_OPTION([$1], [$2]), [$3], [$4])])
# _LT_UNLESS_OPTIONS(MACRO-NAME, OPTION-LIST, IF-NOT-SET)
# -------------------------------------------------------
# Execute IF-NOT-SET unless all options in OPTION-LIST for MACRO-NAME
# are set.
m4_define([_LT_UNLESS_OPTIONS],
[m4_foreach([_LT_Option], m4_split(m4_normalize([$2])),
[m4_ifdef(_LT_MANGLE_OPTION([$1], _LT_Option),
[m4_define([$0_found])])])[]dnl
m4_ifdef([$0_found], [m4_undefine([$0_found])], [$3
])[]dnl
])
# _LT_SET_OPTIONS(MACRO-NAME, OPTION-LIST)
# ----------------------------------------
# OPTION-LIST is a space-separated list of Libtool options associated
# with MACRO-NAME. If any OPTION has a matching handler declared with
# LT_OPTION_DEFINE, dispatch to that macro; otherwise complain about
# the unknown option and exit.
m4_defun([_LT_SET_OPTIONS],
[# Set options
m4_foreach([_LT_Option], m4_split(m4_normalize([$2])),
[_LT_SET_OPTION([$1], _LT_Option)])
m4_if([$1],[LT_INIT],[
dnl
dnl Simply set some default values (i.e off) if boolean options were not
dnl specified:
_LT_UNLESS_OPTIONS([LT_INIT], [dlopen], [enable_dlopen=no
])
_LT_UNLESS_OPTIONS([LT_INIT], [win32-dll], [enable_win32_dll=no
])
dnl
dnl If no reference was made to various pairs of opposing options, then
dnl we run the default mode handler for the pair. For example, if neither
dnl `shared' nor `disable-shared' was passed, we enable building of shared
dnl archives by default:
_LT_UNLESS_OPTIONS([LT_INIT], [shared disable-shared], [_LT_ENABLE_SHARED])
_LT_UNLESS_OPTIONS([LT_INIT], [static disable-static], [_LT_ENABLE_STATIC])
_LT_UNLESS_OPTIONS([LT_INIT], [pic-only no-pic], [_LT_WITH_PIC])
_LT_UNLESS_OPTIONS([LT_INIT], [fast-install disable-fast-install],
[_LT_ENABLE_FAST_INSTALL])
])
])# _LT_SET_OPTIONS
# _LT_MANGLE_DEFUN(MACRO-NAME, OPTION-NAME)
# -----------------------------------------
m4_define([_LT_MANGLE_DEFUN],
[[_LT_OPTION_DEFUN_]m4_bpatsubst(m4_toupper([$1__$2]), [[^A-Z0-9_]], [_])])
# LT_OPTION_DEFINE(MACRO-NAME, OPTION-NAME, CODE)
# -----------------------------------------------
m4_define([LT_OPTION_DEFINE],
[m4_define(_LT_MANGLE_DEFUN([$1], [$2]), [$3])[]dnl
])# LT_OPTION_DEFINE
# dlopen
# ------
LT_OPTION_DEFINE([LT_INIT], [dlopen], [enable_dlopen=yes
])
AU_DEFUN([AC_LIBTOOL_DLOPEN],
[_LT_SET_OPTION([LT_INIT], [dlopen])
AC_DIAGNOSE([obsolete],
[$0: Remove this warning and the call to _LT_SET_OPTION when you
put the `dlopen' option into LT_INIT's first parameter.])
])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_DLOPEN], [])
# win32-dll
# ---------
# Declare package support for building win32 dll's.
LT_OPTION_DEFINE([LT_INIT], [win32-dll],
[enable_win32_dll=yes
case $host in
*-*-cygwin* | *-*-mingw* | *-*-pw32* | *-*-cegcc*)
AC_CHECK_TOOL(AS, as, false)
AC_CHECK_TOOL(DLLTOOL, dlltool, false)
AC_CHECK_TOOL(OBJDUMP, objdump, false)
;;
esac
test -z "$AS" && AS=as
_LT_DECL([], [AS], [1], [Assembler program])dnl
test -z "$DLLTOOL" && DLLTOOL=dlltool
_LT_DECL([], [DLLTOOL], [1], [DLL creation program])dnl
test -z "$OBJDUMP" && OBJDUMP=objdump
_LT_DECL([], [OBJDUMP], [1], [Object dumper program])dnl
])# win32-dll
AU_DEFUN([AC_LIBTOOL_WIN32_DLL],
[AC_REQUIRE([AC_CANONICAL_HOST])dnl
_LT_SET_OPTION([LT_INIT], [win32-dll])
AC_DIAGNOSE([obsolete],
[$0: Remove this warning and the call to _LT_SET_OPTION when you
put the `win32-dll' option into LT_INIT's first parameter.])
])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_WIN32_DLL], [])
# _LT_ENABLE_SHARED([DEFAULT])
# ----------------------------
# implement the --enable-shared flag, and supports the `shared' and
# `disable-shared' LT_INIT options.
# DEFAULT is either `yes' or `no'. If omitted, it defaults to `yes'.
m4_define([_LT_ENABLE_SHARED],
[m4_define([_LT_ENABLE_SHARED_DEFAULT], [m4_if($1, no, no, yes)])dnl
AC_ARG_ENABLE([shared],
[AS_HELP_STRING([--enable-shared@<:@=PKGS@:>@],
[build shared libraries @<:@default=]_LT_ENABLE_SHARED_DEFAULT[@:>@])],
[p=${PACKAGE-default}
case $enableval in
yes) enable_shared=yes ;;
no) enable_shared=no ;;
*)
enable_shared=no
# Look at the argument we got. We use all the common list separators.
lt_save_ifs="$IFS"; IFS="${IFS}$PATH_SEPARATOR,"
for pkg in $enableval; do
IFS="$lt_save_ifs"
if test "X$pkg" = "X$p"; then
enable_shared=yes
fi
done
IFS="$lt_save_ifs"
;;
esac],
[enable_shared=]_LT_ENABLE_SHARED_DEFAULT)
_LT_DECL([build_libtool_libs], [enable_shared], [0],
[Whether or not to build shared libraries])
])# _LT_ENABLE_SHARED
LT_OPTION_DEFINE([LT_INIT], [shared], [_LT_ENABLE_SHARED([yes])])
LT_OPTION_DEFINE([LT_INIT], [disable-shared], [_LT_ENABLE_SHARED([no])])
# Old names:
AC_DEFUN([AC_ENABLE_SHARED],
[_LT_SET_OPTION([LT_INIT], m4_if([$1], [no], [disable-])[shared])
])
AC_DEFUN([AC_DISABLE_SHARED],
[_LT_SET_OPTION([LT_INIT], [disable-shared])
])
AU_DEFUN([AM_ENABLE_SHARED], [AC_ENABLE_SHARED($@)])
AU_DEFUN([AM_DISABLE_SHARED], [AC_DISABLE_SHARED($@)])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AM_ENABLE_SHARED], [])
dnl AC_DEFUN([AM_DISABLE_SHARED], [])
# _LT_ENABLE_STATIC([DEFAULT])
# ----------------------------
# implement the --enable-static flag, and support the `static' and
# `disable-static' LT_INIT options.
# DEFAULT is either `yes' or `no'. If omitted, it defaults to `yes'.
m4_define([_LT_ENABLE_STATIC],
[m4_define([_LT_ENABLE_STATIC_DEFAULT], [m4_if($1, no, no, yes)])dnl
AC_ARG_ENABLE([static],
[AS_HELP_STRING([--enable-static@<:@=PKGS@:>@],
[build static libraries @<:@default=]_LT_ENABLE_STATIC_DEFAULT[@:>@])],
[p=${PACKAGE-default}
case $enableval in
yes) enable_static=yes ;;
no) enable_static=no ;;
*)
enable_static=no
# Look at the argument we got. We use all the common list separators.
lt_save_ifs="$IFS"; IFS="${IFS}$PATH_SEPARATOR,"
for pkg in $enableval; do
IFS="$lt_save_ifs"
if test "X$pkg" = "X$p"; then
enable_static=yes
fi
done
IFS="$lt_save_ifs"
;;
esac],
[enable_static=]_LT_ENABLE_STATIC_DEFAULT)
_LT_DECL([build_old_libs], [enable_static], [0],
[Whether or not to build static libraries])
])# _LT_ENABLE_STATIC
LT_OPTION_DEFINE([LT_INIT], [static], [_LT_ENABLE_STATIC([yes])])
LT_OPTION_DEFINE([LT_INIT], [disable-static], [_LT_ENABLE_STATIC([no])])
# Old names:
AC_DEFUN([AC_ENABLE_STATIC],
[_LT_SET_OPTION([LT_INIT], m4_if([$1], [no], [disable-])[static])
])
AC_DEFUN([AC_DISABLE_STATIC],
[_LT_SET_OPTION([LT_INIT], [disable-static])
])
AU_DEFUN([AM_ENABLE_STATIC], [AC_ENABLE_STATIC($@)])
AU_DEFUN([AM_DISABLE_STATIC], [AC_DISABLE_STATIC($@)])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AM_ENABLE_STATIC], [])
dnl AC_DEFUN([AM_DISABLE_STATIC], [])
# _LT_ENABLE_FAST_INSTALL([DEFAULT])
# ----------------------------------
# implement the --enable-fast-install flag, and support the `fast-install'
# and `disable-fast-install' LT_INIT options.
# DEFAULT is either `yes' or `no'. If omitted, it defaults to `yes'.
m4_define([_LT_ENABLE_FAST_INSTALL],
[m4_define([_LT_ENABLE_FAST_INSTALL_DEFAULT], [m4_if($1, no, no, yes)])dnl
AC_ARG_ENABLE([fast-install],
[AS_HELP_STRING([--enable-fast-install@<:@=PKGS@:>@],
[optimize for fast installation @<:@default=]_LT_ENABLE_FAST_INSTALL_DEFAULT[@:>@])],
[p=${PACKAGE-default}
case $enableval in
yes) enable_fast_install=yes ;;
no) enable_fast_install=no ;;
*)
enable_fast_install=no
# Look at the argument we got. We use all the common list separators.
lt_save_ifs="$IFS"; IFS="${IFS}$PATH_SEPARATOR,"
for pkg in $enableval; do
IFS="$lt_save_ifs"
if test "X$pkg" = "X$p"; then
enable_fast_install=yes
fi
done
IFS="$lt_save_ifs"
;;
esac],
[enable_fast_install=]_LT_ENABLE_FAST_INSTALL_DEFAULT)
_LT_DECL([fast_install], [enable_fast_install], [0],
[Whether or not to optimize for fast installation])dnl
])# _LT_ENABLE_FAST_INSTALL
LT_OPTION_DEFINE([LT_INIT], [fast-install], [_LT_ENABLE_FAST_INSTALL([yes])])
LT_OPTION_DEFINE([LT_INIT], [disable-fast-install], [_LT_ENABLE_FAST_INSTALL([no])])
# Old names:
AU_DEFUN([AC_ENABLE_FAST_INSTALL],
[_LT_SET_OPTION([LT_INIT], m4_if([$1], [no], [disable-])[fast-install])
AC_DIAGNOSE([obsolete],
[$0: Remove this warning and the call to _LT_SET_OPTION when you put
the `fast-install' option into LT_INIT's first parameter.])
])
AU_DEFUN([AC_DISABLE_FAST_INSTALL],
[_LT_SET_OPTION([LT_INIT], [disable-fast-install])
AC_DIAGNOSE([obsolete],
[$0: Remove this warning and the call to _LT_SET_OPTION when you put
the `disable-fast-install' option into LT_INIT's first parameter.])
])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_ENABLE_FAST_INSTALL], [])
dnl AC_DEFUN([AM_DISABLE_FAST_INSTALL], [])
# _LT_WITH_PIC([MODE])
# --------------------
# implement the --with-pic flag, and support the `pic-only' and `no-pic'
# LT_INIT options.
# MODE is either `yes' or `no'. If omitted, it defaults to `both'.
m4_define([_LT_WITH_PIC],
[AC_ARG_WITH([pic],
[AS_HELP_STRING([--with-pic@<:@=PKGS@:>@],
[try to use only PIC/non-PIC objects @<:@default=use both@:>@])],
[lt_p=${PACKAGE-default}
case $withval in
yes|no) pic_mode=$withval ;;
*)
pic_mode=default
# Look at the argument we got. We use all the common list separators.
lt_save_ifs="$IFS"; IFS="${IFS}$PATH_SEPARATOR,"
for lt_pkg in $withval; do
IFS="$lt_save_ifs"
if test "X$lt_pkg" = "X$lt_p"; then
pic_mode=yes
fi
done
IFS="$lt_save_ifs"
;;
esac],
[pic_mode=default])
test -z "$pic_mode" && pic_mode=m4_default([$1], [default])
_LT_DECL([], [pic_mode], [0], [What type of objects to build])dnl
])# _LT_WITH_PIC
LT_OPTION_DEFINE([LT_INIT], [pic-only], [_LT_WITH_PIC([yes])])
LT_OPTION_DEFINE([LT_INIT], [no-pic], [_LT_WITH_PIC([no])])
# Old name:
AU_DEFUN([AC_LIBTOOL_PICMODE],
[_LT_SET_OPTION([LT_INIT], [pic-only])
AC_DIAGNOSE([obsolete],
[$0: Remove this warning and the call to _LT_SET_OPTION when you
put the `pic-only' option into LT_INIT's first parameter.])
])
dnl aclocal-1.4 backwards compatibility:
dnl AC_DEFUN([AC_LIBTOOL_PICMODE], [])
m4_define([_LTDL_MODE], [])
LT_OPTION_DEFINE([LTDL_INIT], [nonrecursive],
[m4_define([_LTDL_MODE], [nonrecursive])])
LT_OPTION_DEFINE([LTDL_INIT], [recursive],
[m4_define([_LTDL_MODE], [recursive])])
LT_OPTION_DEFINE([LTDL_INIT], [subproject],
[m4_define([_LTDL_MODE], [subproject])])
m4_define([_LTDL_TYPE], [])
LT_OPTION_DEFINE([LTDL_INIT], [installable],
[m4_define([_LTDL_TYPE], [installable])])
LT_OPTION_DEFINE([LTDL_INIT], [convenience],
[m4_define([_LTDL_TYPE], [convenience])])
# ltsugar.m4 -- libtool m4 base layer. -*-Autoconf-*-
#
# Copyright (C) 2004, 2005, 2007, 2008 Free Software Foundation, Inc.
# Written by Gary V. Vaughan, 2004
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
# serial 6 ltsugar.m4
# This is to help aclocal find these macros, as it can't see m4_define.
AC_DEFUN([LTSUGAR_VERSION], [m4_if([0.1])])
# lt_join(SEP, ARG1, [ARG2...])
# -----------------------------
# Produce ARG1SEPARG2...SEPARGn, omitting [] arguments and their
# associated separator.
# Needed until we can rely on m4_join from Autoconf 2.62, since all earlier
# versions in m4sugar had bugs.
m4_define([lt_join],
[m4_if([$#], [1], [],
[$#], [2], [[$2]],
[m4_if([$2], [], [], [[$2]_])$0([$1], m4_shift(m4_shift($@)))])])
m4_define([_lt_join],
[m4_if([$#$2], [2], [],
[m4_if([$2], [], [], [[$1$2]])$0([$1], m4_shift(m4_shift($@)))])])
# lt_car(LIST)
# lt_cdr(LIST)
# ------------
# Manipulate m4 lists.
# These macros are necessary as long as will still need to support
# Autoconf-2.59 which quotes differently.
m4_define([lt_car], [[$1]])
m4_define([lt_cdr],
[m4_if([$#], 0, [m4_fatal([$0: cannot be called without arguments])],
[$#], 1, [],
[m4_dquote(m4_shift($@))])])
m4_define([lt_unquote], $1)
# lt_append(MACRO-NAME, STRING, [SEPARATOR])
# ------------------------------------------
# Redefine MACRO-NAME to hold its former content plus `SEPARATOR'`STRING'.
# Note that neither SEPARATOR nor STRING are expanded; they are appended
# to MACRO-NAME as is (leaving the expansion for when MACRO-NAME is invoked).
# No SEPARATOR is output if MACRO-NAME was previously undefined (different
# than defined and empty).
#
# This macro is needed until we can rely on Autoconf 2.62, since earlier
# versions of m4sugar mistakenly expanded SEPARATOR but not STRING.
m4_define([lt_append],
[m4_define([$1],
m4_ifdef([$1], [m4_defn([$1])[$3]])[$2])])
# lt_combine(SEP, PREFIX-LIST, INFIX, SUFFIX1, [SUFFIX2...])
# ----------------------------------------------------------
# Produce a SEP delimited list of all paired combinations of elements of
# PREFIX-LIST with SUFFIX1 through SUFFIXn. Each element of the list
# has the form PREFIXmINFIXSUFFIXn.
# Needed until we can rely on m4_combine added in Autoconf 2.62.
m4_define([lt_combine],
[m4_if(m4_eval([$# > 3]), [1],
[m4_pushdef([_Lt_sep], [m4_define([_Lt_sep], m4_defn([lt_car]))])]]dnl
[[m4_foreach([_Lt_prefix], [$2],
[m4_foreach([_Lt_suffix],
]m4_dquote(m4_dquote(m4_shift(m4_shift(m4_shift($@)))))[,
[_Lt_sep([$1])[]m4_defn([_Lt_prefix])[$3]m4_defn([_Lt_suffix])])])])])
# lt_if_append_uniq(MACRO-NAME, VARNAME, [SEPARATOR], [UNIQ], [NOT-UNIQ])
# -----------------------------------------------------------------------
# Iff MACRO-NAME does not yet contain VARNAME, then append it (delimited
# by SEPARATOR if supplied) and expand UNIQ, else NOT-UNIQ.
m4_define([lt_if_append_uniq],
[m4_ifdef([$1],
[m4_if(m4_index([$3]m4_defn([$1])[$3], [$3$2$3]), [-1],
[lt_append([$1], [$2], [$3])$4],
[$5])],
[lt_append([$1], [$2], [$3])$4])])
# lt_dict_add(DICT, KEY, VALUE)
# -----------------------------
m4_define([lt_dict_add],
[m4_define([$1($2)], [$3])])
# lt_dict_add_subkey(DICT, KEY, SUBKEY, VALUE)
# --------------------------------------------
m4_define([lt_dict_add_subkey],
[m4_define([$1($2:$3)], [$4])])
# lt_dict_fetch(DICT, KEY, [SUBKEY])
# ----------------------------------
m4_define([lt_dict_fetch],
[m4_ifval([$3],
m4_ifdef([$1($2:$3)], [m4_defn([$1($2:$3)])]),
m4_ifdef([$1($2)], [m4_defn([$1($2)])]))])
# lt_if_dict_fetch(DICT, KEY, [SUBKEY], VALUE, IF-TRUE, [IF-FALSE])
# -----------------------------------------------------------------
m4_define([lt_if_dict_fetch],
[m4_if(lt_dict_fetch([$1], [$2], [$3]), [$4],
[$5],
[$6])])
# lt_dict_filter(DICT, [SUBKEY], VALUE, [SEPARATOR], KEY, [...])
# --------------------------------------------------------------
m4_define([lt_dict_filter],
[m4_if([$5], [], [],
[lt_join(m4_quote(m4_default([$4], [[, ]])),
lt_unquote(m4_split(m4_normalize(m4_foreach(_Lt_key, lt_car([m4_shiftn(4, $@)]),
[lt_if_dict_fetch([$1], _Lt_key, [$2], [$3], [_Lt_key ])])))))])[]dnl
])
# ltversion.m4 -- version numbers -*- Autoconf -*-
#
# Copyright (C) 2004 Free Software Foundation, Inc.
# Written by Scott James Remnant, 2004
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
# @configure_input@
# serial 3337 ltversion.m4
# This file is part of GNU Libtool
m4_define([LT_PACKAGE_VERSION], [2.4.2])
m4_define([LT_PACKAGE_REVISION], [1.3337])
AC_DEFUN([LTVERSION_VERSION],
[macro_version='2.4.2'
macro_revision='1.3337'
_LT_DECL(, macro_version, 0, [Which release of libtool.m4 was used?])
_LT_DECL(, macro_revision, 0)
])
# lt~obsolete.m4 -- aclocal satisfying obsolete definitions. -*-Autoconf-*-
#
# Copyright (C) 2004, 2005, 2007, 2009 Free Software Foundation, Inc.
# Written by Scott James Remnant, 2004.
#
# This file is free software; the Free Software Foundation gives
# unlimited permission to copy and/or distribute it, with or without
# modifications, as long as this notice is preserved.
# serial 5 lt~obsolete.m4
# These exist entirely to fool aclocal when bootstrapping libtool.
#
# In the past libtool.m4 has provided macros via AC_DEFUN (or AU_DEFUN)
# which have later been changed to m4_define as they aren't part of the
# exported API, or moved to Autoconf or Automake where they belong.
#
# The trouble is, aclocal is a bit thick. It'll see the old AC_DEFUN
# in /usr/share/aclocal/libtool.m4 and remember it, then when it sees us
# using a macro with the same name in our local m4/libtool.m4 it'll
# pull the old libtool.m4 in (it doesn't see our shiny new m4_define
# and doesn't know about Autoconf macros at all.)
#
# So we provide this file, which has a silly filename so it's always
# included after everything else. This provides aclocal with the
# AC_DEFUNs it wants, but when m4 processes it, it doesn't do anything
# because those macros already exist, or will be overwritten later.
# We use AC_DEFUN over AU_DEFUN for compatibility with aclocal-1.6.
#
# Anytime we withdraw an AC_DEFUN or AU_DEFUN, remember to add it here.
# Yes, that means every name once taken will need to remain here until
# we give up compatibility with versions before 1.7, at which point
# we need to keep only those names which we still refer to.
# This is to help aclocal find these macros, as it can't see m4_define.
AC_DEFUN([LTOBSOLETE_VERSION], [m4_if([1])])
m4_ifndef([AC_LIBTOOL_LINKER_OPTION], [AC_DEFUN([AC_LIBTOOL_LINKER_OPTION])])
m4_ifndef([AC_PROG_EGREP], [AC_DEFUN([AC_PROG_EGREP])])
m4_ifndef([_LT_AC_PROG_ECHO_BACKSLASH], [AC_DEFUN([_LT_AC_PROG_ECHO_BACKSLASH])])
m4_ifndef([_LT_AC_SHELL_INIT], [AC_DEFUN([_LT_AC_SHELL_INIT])])
m4_ifndef([_LT_AC_SYS_LIBPATH_AIX], [AC_DEFUN([_LT_AC_SYS_LIBPATH_AIX])])
m4_ifndef([_LT_PROG_LTMAIN], [AC_DEFUN([_LT_PROG_LTMAIN])])
m4_ifndef([_LT_AC_TAGVAR], [AC_DEFUN([_LT_AC_TAGVAR])])
m4_ifndef([AC_LTDL_ENABLE_INSTALL], [AC_DEFUN([AC_LTDL_ENABLE_INSTALL])])
m4_ifndef([AC_LTDL_PREOPEN], [AC_DEFUN([AC_LTDL_PREOPEN])])
m4_ifndef([_LT_AC_SYS_COMPILER], [AC_DEFUN([_LT_AC_SYS_COMPILER])])
m4_ifndef([_LT_AC_LOCK], [AC_DEFUN([_LT_AC_LOCK])])
m4_ifndef([AC_LIBTOOL_SYS_OLD_ARCHIVE], [AC_DEFUN([AC_LIBTOOL_SYS_OLD_ARCHIVE])])
m4_ifndef([_LT_AC_TRY_DLOPEN_SELF], [AC_DEFUN([_LT_AC_TRY_DLOPEN_SELF])])
m4_ifndef([AC_LIBTOOL_PROG_CC_C_O], [AC_DEFUN([AC_LIBTOOL_PROG_CC_C_O])])
m4_ifndef([AC_LIBTOOL_SYS_HARD_LINK_LOCKS], [AC_DEFUN([AC_LIBTOOL_SYS_HARD_LINK_LOCKS])])
m4_ifndef([AC_LIBTOOL_OBJDIR], [AC_DEFUN([AC_LIBTOOL_OBJDIR])])
m4_ifndef([AC_LTDL_OBJDIR], [AC_DEFUN([AC_LTDL_OBJDIR])])
m4_ifndef([AC_LIBTOOL_PROG_LD_HARDCODE_LIBPATH], [AC_DEFUN([AC_LIBTOOL_PROG_LD_HARDCODE_LIBPATH])])
m4_ifndef([AC_LIBTOOL_SYS_LIB_STRIP], [AC_DEFUN([AC_LIBTOOL_SYS_LIB_STRIP])])
m4_ifndef([AC_PATH_MAGIC], [AC_DEFUN([AC_PATH_MAGIC])])
m4_ifndef([AC_PROG_LD_GNU], [AC_DEFUN([AC_PROG_LD_GNU])])
m4_ifndef([AC_PROG_LD_RELOAD_FLAG], [AC_DEFUN([AC_PROG_LD_RELOAD_FLAG])])
m4_ifndef([AC_DEPLIBS_CHECK_METHOD], [AC_DEFUN([AC_DEPLIBS_CHECK_METHOD])])
m4_ifndef([AC_LIBTOOL_PROG_COMPILER_NO_RTTI], [AC_DEFUN([AC_LIBTOOL_PROG_COMPILER_NO_RTTI])])
m4_ifndef([AC_LIBTOOL_SYS_GLOBAL_SYMBOL_PIPE], [AC_DEFUN([AC_LIBTOOL_SYS_GLOBAL_SYMBOL_PIPE])])
m4_ifndef([AC_LIBTOOL_PROG_COMPILER_PIC], [AC_DEFUN([AC_LIBTOOL_PROG_COMPILER_PIC])])
m4_ifndef([AC_LIBTOOL_PROG_LD_SHLIBS], [AC_DEFUN([AC_LIBTOOL_PROG_LD_SHLIBS])])
m4_ifndef([AC_LIBTOOL_POSTDEP_PREDEP], [AC_DEFUN([AC_LIBTOOL_POSTDEP_PREDEP])])
m4_ifndef([LT_AC_PROG_EGREP], [AC_DEFUN([LT_AC_PROG_EGREP])])
m4_ifndef([LT_AC_PROG_SED], [AC_DEFUN([LT_AC_PROG_SED])])
m4_ifndef([_LT_CC_BASENAME], [AC_DEFUN([_LT_CC_BASENAME])])
m4_ifndef([_LT_COMPILER_BOILERPLATE], [AC_DEFUN([_LT_COMPILER_BOILERPLATE])])
m4_ifndef([_LT_LINKER_BOILERPLATE], [AC_DEFUN([_LT_LINKER_BOILERPLATE])])
m4_ifndef([_AC_PROG_LIBTOOL], [AC_DEFUN([_AC_PROG_LIBTOOL])])
m4_ifndef([AC_LIBTOOL_SETUP], [AC_DEFUN([AC_LIBTOOL_SETUP])])
m4_ifndef([_LT_AC_CHECK_DLFCN], [AC_DEFUN([_LT_AC_CHECK_DLFCN])])
m4_ifndef([AC_LIBTOOL_SYS_DYNAMIC_LINKER], [AC_DEFUN([AC_LIBTOOL_SYS_DYNAMIC_LINKER])])
m4_ifndef([_LT_AC_TAGCONFIG], [AC_DEFUN([_LT_AC_TAGCONFIG])])
m4_ifndef([AC_DISABLE_FAST_INSTALL], [AC_DEFUN([AC_DISABLE_FAST_INSTALL])])
m4_ifndef([_LT_AC_LANG_CXX], [AC_DEFUN([_LT_AC_LANG_CXX])])
m4_ifndef([_LT_AC_LANG_F77], [AC_DEFUN([_LT_AC_LANG_F77])])
m4_ifndef([_LT_AC_LANG_GCJ], [AC_DEFUN([_LT_AC_LANG_GCJ])])
m4_ifndef([AC_LIBTOOL_LANG_C_CONFIG], [AC_DEFUN([AC_LIBTOOL_LANG_C_CONFIG])])
m4_ifndef([_LT_AC_LANG_C_CONFIG], [AC_DEFUN([_LT_AC_LANG_C_CONFIG])])
m4_ifndef([AC_LIBTOOL_LANG_CXX_CONFIG], [AC_DEFUN([AC_LIBTOOL_LANG_CXX_CONFIG])])
m4_ifndef([_LT_AC_LANG_CXX_CONFIG], [AC_DEFUN([_LT_AC_LANG_CXX_CONFIG])])
m4_ifndef([AC_LIBTOOL_LANG_F77_CONFIG], [AC_DEFUN([AC_LIBTOOL_LANG_F77_CONFIG])])
m4_ifndef([_LT_AC_LANG_F77_CONFIG], [AC_DEFUN([_LT_AC_LANG_F77_CONFIG])])
m4_ifndef([AC_LIBTOOL_LANG_GCJ_CONFIG], [AC_DEFUN([AC_LIBTOOL_LANG_GCJ_CONFIG])])
m4_ifndef([_LT_AC_LANG_GCJ_CONFIG], [AC_DEFUN([_LT_AC_LANG_GCJ_CONFIG])])
m4_ifndef([AC_LIBTOOL_LANG_RC_CONFIG], [AC_DEFUN([AC_LIBTOOL_LANG_RC_CONFIG])])
m4_ifndef([_LT_AC_LANG_RC_CONFIG], [AC_DEFUN([_LT_AC_LANG_RC_CONFIG])])
m4_ifndef([AC_LIBTOOL_CONFIG], [AC_DEFUN([AC_LIBTOOL_CONFIG])])
m4_ifndef([_LT_AC_FILE_LTDLL_C], [AC_DEFUN([_LT_AC_FILE_LTDLL_C])])
m4_ifndef([_LT_REQUIRED_DARWIN_CHECKS], [AC_DEFUN([_LT_REQUIRED_DARWIN_CHECKS])])
m4_ifndef([_LT_AC_PROG_CXXCPP], [AC_DEFUN([_LT_AC_PROG_CXXCPP])])
m4_ifndef([_LT_PREPARE_SED_QUOTE_VARS], [AC_DEFUN([_LT_PREPARE_SED_QUOTE_VARS])])
m4_ifndef([_LT_PROG_ECHO_BACKSLASH], [AC_DEFUN([_LT_PROG_ECHO_BACKSLASH])])
m4_ifndef([_LT_PROG_F77], [AC_DEFUN([_LT_PROG_F77])])
m4_ifndef([_LT_PROG_FC], [AC_DEFUN([_LT_PROG_FC])])
m4_ifndef([_LT_PROG_CXX], [AC_DEFUN([_LT_PROG_CXX])])
# Copyright (C) 2002-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 8
# AM_AUTOMAKE_VERSION(VERSION)
# ----------------------------
# Automake X.Y traces this macro to ensure aclocal.m4 has been
# generated from the m4 files accompanying Automake X.Y.
# (This private macro should not be called outside this file.)
AC_DEFUN([AM_AUTOMAKE_VERSION],
[am__api_version='1.12'
dnl Some users find AM_AUTOMAKE_VERSION and mistake it for a way to
dnl require some minimum version. Point them to the right macro.
m4_if([$1], [1.12.1], [],
[AC_FATAL([Do not call $0, use AM_INIT_AUTOMAKE([$1]).])])dnl
])
# _AM_AUTOCONF_VERSION(VERSION)
# -----------------------------
# aclocal traces this macro to find the Autoconf version.
# This is a private macro too. Using m4_define simplifies
# the logic in aclocal, which can simply ignore this definition.
m4_define([_AM_AUTOCONF_VERSION], [])
# AM_SET_CURRENT_AUTOMAKE_VERSION
# -------------------------------
# Call AM_AUTOMAKE_VERSION and AM_AUTOMAKE_VERSION so they can be traced.
# This function is AC_REQUIREd by AM_INIT_AUTOMAKE.
AC_DEFUN([AM_SET_CURRENT_AUTOMAKE_VERSION],
[AM_AUTOMAKE_VERSION([1.12.1])dnl
m4_ifndef([AC_AUTOCONF_VERSION],
[m4_copy([m4_PACKAGE_VERSION], [AC_AUTOCONF_VERSION])])dnl
_AM_AUTOCONF_VERSION(m4_defn([AC_AUTOCONF_VERSION]))])
# AM_AUX_DIR_EXPAND -*- Autoconf -*-
# Copyright (C) 2001-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 2
# For projects using AC_CONFIG_AUX_DIR([foo]), Autoconf sets
# $ac_aux_dir to '$srcdir/foo'. In other projects, it is set to
# '$srcdir', '$srcdir/..', or '$srcdir/../..'.
#
# Of course, Automake must honor this variable whenever it calls a
# tool from the auxiliary directory. The problem is that $srcdir (and
# therefore $ac_aux_dir as well) can be either absolute or relative,
# depending on how configure is run. This is pretty annoying, since
# it makes $ac_aux_dir quite unusable in subdirectories: in the top
# source directory, any form will work fine, but in subdirectories a
# relative path needs to be adjusted first.
#
# $ac_aux_dir/missing
# fails when called from a subdirectory if $ac_aux_dir is relative
# $top_srcdir/$ac_aux_dir/missing
# fails if $ac_aux_dir is absolute,
# fails when called from a subdirectory in a VPATH build with
# a relative $ac_aux_dir
#
# The reason of the latter failure is that $top_srcdir and $ac_aux_dir
# are both prefixed by $srcdir. In an in-source build this is usually
# harmless because $srcdir is '.', but things will broke when you
# start a VPATH build or use an absolute $srcdir.
#
# So we could use something similar to $top_srcdir/$ac_aux_dir/missing,
# iff we strip the leading $srcdir from $ac_aux_dir. That would be:
# am_aux_dir='\$(top_srcdir)/'`expr "$ac_aux_dir" : "$srcdir//*\(.*\)"`
# and then we would define $MISSING as
# MISSING="\${SHELL} $am_aux_dir/missing"
# This will work as long as MISSING is not called from configure, because
# unfortunately $(top_srcdir) has no meaning in configure.
# However there are other variables, like CC, which are often used in
# configure, and could therefore not use this "fixed" $ac_aux_dir.
#
# Another solution, used here, is to always expand $ac_aux_dir to an
# absolute PATH. The drawback is that using absolute paths prevent a
# configured tree to be moved without reconfiguration.
AC_DEFUN([AM_AUX_DIR_EXPAND],
[dnl Rely on autoconf to set up CDPATH properly.
AC_PREREQ([2.50])dnl
# expand $ac_aux_dir to an absolute path
am_aux_dir=`cd $ac_aux_dir && pwd`
])
# AM_CONDITIONAL -*- Autoconf -*-
# Copyright (C) 1997-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 10
# AM_CONDITIONAL(NAME, SHELL-CONDITION)
# -------------------------------------
# Define a conditional.
AC_DEFUN([AM_CONDITIONAL],
[AC_PREREQ([2.52])dnl
m4_if([$1], [TRUE], [AC_FATAL([$0: invalid condition: $1])],
[$1], [FALSE], [AC_FATAL([$0: invalid condition: $1])])dnl
AC_SUBST([$1_TRUE])dnl
AC_SUBST([$1_FALSE])dnl
_AM_SUBST_NOTMAKE([$1_TRUE])dnl
_AM_SUBST_NOTMAKE([$1_FALSE])dnl
m4_define([_AM_COND_VALUE_$1], [$2])dnl
if $2; then
$1_TRUE=
$1_FALSE='#'
else
$1_TRUE='#'
$1_FALSE=
fi
AC_CONFIG_COMMANDS_PRE(
[if test -z "${$1_TRUE}" && test -z "${$1_FALSE}"; then
AC_MSG_ERROR([[conditional "$1" was never defined.
Usually this means the macro was only invoked conditionally.]])
fi])])
# Copyright (C) 1999-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 17
# There are a few dirty hacks below to avoid letting 'AC_PROG_CC' be
# written in clear, in which case automake, when reading aclocal.m4,
# will think it sees a *use*, and therefore will trigger all it's
# C support machinery. Also note that it means that autoscan, seeing
# CC etc. in the Makefile, will ask for an AC_PROG_CC use...
# _AM_DEPENDENCIES(NAME)
# ----------------------
# See how the compiler implements dependency checking.
# NAME is "CC", "CXX", "OBJC", "OBJCXX", "UPC", or "GJC".
# We try a few techniques and use that to set a single cache variable.
#
# We don't AC_REQUIRE the corresponding AC_PROG_CC since the latter was
# modified to invoke _AM_DEPENDENCIES(CC); we would have a circular
# dependency, and given that the user is not expected to run this macro,
# just rely on AC_PROG_CC.
AC_DEFUN([_AM_DEPENDENCIES],
[AC_REQUIRE([AM_SET_DEPDIR])dnl
AC_REQUIRE([AM_OUTPUT_DEPENDENCY_COMMANDS])dnl
AC_REQUIRE([AM_MAKE_INCLUDE])dnl
AC_REQUIRE([AM_DEP_TRACK])dnl
m4_if([$1], [CC], [depcc="$CC" am_compiler_list=],
[$1], [CXX], [depcc="$CXX" am_compiler_list=],
[$1], [OBJC], [depcc="$OBJC" am_compiler_list='gcc3 gcc'],
[$1], [OBJCXX], [depcc="$OBJCXX" am_compiler_list='gcc3 gcc'],
[$1], [UPC], [depcc="$UPC" am_compiler_list=],
[$1], [GCJ], [depcc="$GCJ" am_compiler_list='gcc3 gcc'],
[depcc="$$1" am_compiler_list=])
AC_CACHE_CHECK([dependency style of $depcc],
[am_cv_$1_dependencies_compiler_type],
[if test -z "$AMDEP_TRUE" && test -f "$am_depcomp"; then
# We make a subdir and do the tests there. Otherwise we can end up
# making bogus files that we don't know about and never remove. For
# instance it was reported that on HP-UX the gcc test will end up
# making a dummy file named 'D' -- because '-MD' means "put the output
# in D".
rm -rf conftest.dir
mkdir conftest.dir
# Copy depcomp to subdir because otherwise we won't find it if we're
# using a relative directory.
cp "$am_depcomp" conftest.dir
cd conftest.dir
# We will build objects and dependencies in a subdirectory because
# it helps to detect inapplicable dependency modes. For instance
# both Tru64's cc and ICC support -MD to output dependencies as a
# side effect of compilation, but ICC will put the dependencies in
# the current directory while Tru64 will put them in the object
# directory.
mkdir sub
am_cv_$1_dependencies_compiler_type=none
if test "$am_compiler_list" = ""; then
am_compiler_list=`sed -n ['s/^#*\([a-zA-Z0-9]*\))$/\1/p'] < ./depcomp`
fi
am__universal=false
m4_case([$1], [CC],
[case " $depcc " in #(
*\ -arch\ *\ -arch\ *) am__universal=true ;;
esac],
[CXX],
[case " $depcc " in #(
*\ -arch\ *\ -arch\ *) am__universal=true ;;
esac])
for depmode in $am_compiler_list; do
# Setup a source with many dependencies, because some compilers
# like to wrap large dependency lists on column 80 (with \), and
# we should not choose a depcomp mode which is confused by this.
#
# We need to recreate these files for each test, as the compiler may
# overwrite some of them when testing with obscure command lines.
# This happens at least with the AIX C compiler.
: > sub/conftest.c
for i in 1 2 3 4 5 6; do
echo '#include "conftst'$i'.h"' >> sub/conftest.c
# Using ": > sub/conftst$i.h" creates only sub/conftst1.h with
# Solaris 10 /bin/sh.
echo '/* dummy */' > sub/conftst$i.h
done
echo "${am__include} ${am__quote}sub/conftest.Po${am__quote}" > confmf
# We check with '-c' and '-o' for the sake of the "dashmstdout"
# mode. It turns out that the SunPro C++ compiler does not properly
# handle '-M -o', and we need to detect this. Also, some Intel
# versions had trouble with output in subdirs.
am__obj=sub/conftest.${OBJEXT-o}
am__minus_obj="-o $am__obj"
case $depmode in
gcc)
# This depmode causes a compiler race in universal mode.
test "$am__universal" = false || continue
;;
nosideeffect)
# After this tag, mechanisms are not by side-effect, so they'll
# only be used when explicitly requested.
if test "x$enable_dependency_tracking" = xyes; then
continue
else
break
fi
;;
msvc7 | msvc7msys | msvisualcpp | msvcmsys)
# This compiler won't grok '-c -o', but also, the minuso test has
# not run yet. These depmodes are late enough in the game, and
# so weak that their functioning should not be impacted.
am__obj=conftest.${OBJEXT-o}
am__minus_obj=
;;
none) break ;;
esac
if depmode=$depmode \
source=sub/conftest.c object=$am__obj \
depfile=sub/conftest.Po tmpdepfile=sub/conftest.TPo \
$SHELL ./depcomp $depcc -c $am__minus_obj sub/conftest.c \
>/dev/null 2>conftest.err &&
grep sub/conftst1.h sub/conftest.Po > /dev/null 2>&1 &&
grep sub/conftst6.h sub/conftest.Po > /dev/null 2>&1 &&
grep $am__obj sub/conftest.Po > /dev/null 2>&1 &&
${MAKE-make} -s -f confmf > /dev/null 2>&1; then
# icc doesn't choke on unknown options, it will just issue warnings
# or remarks (even with -Werror). So we grep stderr for any message
# that says an option was ignored or not supported.
# When given -MP, icc 7.0 and 7.1 complain thusly:
# icc: Command line warning: ignoring option '-M'; no argument required
# The diagnosis changed in icc 8.0:
# icc: Command line remark: option '-MP' not supported
if (grep 'ignoring option' conftest.err ||
grep 'not supported' conftest.err) >/dev/null 2>&1; then :; else
am_cv_$1_dependencies_compiler_type=$depmode
break
fi
fi
done
cd ..
rm -rf conftest.dir
else
am_cv_$1_dependencies_compiler_type=none
fi
])
AC_SUBST([$1DEPMODE], [depmode=$am_cv_$1_dependencies_compiler_type])
AM_CONDITIONAL([am__fastdep$1], [
test "x$enable_dependency_tracking" != xno \
&& test "$am_cv_$1_dependencies_compiler_type" = gcc3])
])
# AM_SET_DEPDIR
# -------------
# Choose a directory name for dependency files.
# This macro is AC_REQUIREd in _AM_DEPENDENCIES.
AC_DEFUN([AM_SET_DEPDIR],
[AC_REQUIRE([AM_SET_LEADING_DOT])dnl
AC_SUBST([DEPDIR], ["${am__leading_dot}deps"])dnl
])
# AM_DEP_TRACK
# ------------
AC_DEFUN([AM_DEP_TRACK],
[AC_ARG_ENABLE([dependency-tracking], [dnl
AS_HELP_STRING(
[--enable-dependency-tracking],
[do not reject slow dependency extractors])
AS_HELP_STRING(
[--disable-dependency-tracking],
[speeds up one-time build])])
if test "x$enable_dependency_tracking" != xno; then
am_depcomp="$ac_aux_dir/depcomp"
AMDEPBACKSLASH='\'
am__nodep='_no'
fi
AM_CONDITIONAL([AMDEP], [test "x$enable_dependency_tracking" != xno])
AC_SUBST([AMDEPBACKSLASH])dnl
_AM_SUBST_NOTMAKE([AMDEPBACKSLASH])dnl
AC_SUBST([am__nodep])dnl
_AM_SUBST_NOTMAKE([am__nodep])dnl
])
# Generate code to set up dependency tracking. -*- Autoconf -*-
# Copyright (C) 1999-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 6
# _AM_OUTPUT_DEPENDENCY_COMMANDS
# ------------------------------
AC_DEFUN([_AM_OUTPUT_DEPENDENCY_COMMANDS],
[{
# Autoconf 2.62 quotes --file arguments for eval, but not when files
# are listed without --file. Let's play safe and only enable the eval
# if we detect the quoting.
case $CONFIG_FILES in
*\'*) eval set x "$CONFIG_FILES" ;;
*) set x $CONFIG_FILES ;;
esac
shift
for mf
do
# Strip MF so we end up with the name of the file.
mf=`echo "$mf" | sed -e 's/:.*$//'`
# Check whether this is an Automake generated Makefile or not.
# We used to match only the files named 'Makefile.in', but
# some people rename them; so instead we look at the file content.
# Grep'ing the first line is not enough: some people post-process
# each Makefile.in and add a new line on top of each file to say so.
# Grep'ing the whole file is not good either: AIX grep has a line
# limit of 2048, but all sed's we know have understand at least 4000.
if sed -n 's,^#.*generated by automake.*,X,p' "$mf" | grep X >/dev/null 2>&1; then
dirpart=`AS_DIRNAME("$mf")`
else
continue
fi
# Extract the definition of DEPDIR, am__include, and am__quote
# from the Makefile without running 'make'.
DEPDIR=`sed -n 's/^DEPDIR = //p' < "$mf"`
test -z "$DEPDIR" && continue
am__include=`sed -n 's/^am__include = //p' < "$mf"`
test -z "am__include" && continue
am__quote=`sed -n 's/^am__quote = //p' < "$mf"`
# Find all dependency output files, they are included files with
# $(DEPDIR) in their names. We invoke sed twice because it is the
# simplest approach to changing $(DEPDIR) to its actual value in the
# expansion.
for file in `sed -n "
s/^$am__include $am__quote\(.*(DEPDIR).*\)$am__quote"'$/\1/p' <"$mf" | \
sed -e 's/\$(DEPDIR)/'"$DEPDIR"'/g'`; do
# Make sure the directory exists.
test -f "$dirpart/$file" && continue
fdir=`AS_DIRNAME(["$file"])`
AS_MKDIR_P([$dirpart/$fdir])
# echo "creating $dirpart/$file"
echo '# dummy' > "$dirpart/$file"
done
done
}
])# _AM_OUTPUT_DEPENDENCY_COMMANDS
# AM_OUTPUT_DEPENDENCY_COMMANDS
# -----------------------------
# This macro should only be invoked once -- use via AC_REQUIRE.
#
# This code is only required when automatic dependency tracking
# is enabled. FIXME. This creates each '.P' file that we will
# need in order to bootstrap the dependency handling code.
AC_DEFUN([AM_OUTPUT_DEPENDENCY_COMMANDS],
[AC_CONFIG_COMMANDS([depfiles],
[test x"$AMDEP_TRUE" != x"" || _AM_OUTPUT_DEPENDENCY_COMMANDS],
[AMDEP_TRUE="$AMDEP_TRUE" ac_aux_dir="$ac_aux_dir"])
])
# Copyright (C) 1996-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 8
# AM_CONFIG_HEADER is obsolete. It has been replaced by AC_CONFIG_HEADERS.
AU_DEFUN([AM_CONFIG_HEADER], [AC_CONFIG_HEADERS($@)])
# Do all the work for Automake. -*- Autoconf -*-
# Copyright (C) 1996-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 19
# This macro actually does too much. Some checks are only needed if
# your package does certain things. But this isn't really a big deal.
# AM_INIT_AUTOMAKE(PACKAGE, VERSION, [NO-DEFINE])
# AM_INIT_AUTOMAKE([OPTIONS])
# -----------------------------------------------
# The call with PACKAGE and VERSION arguments is the old style
# call (pre autoconf-2.50), which is being phased out. PACKAGE
# and VERSION should now be passed to AC_INIT and removed from
# the call to AM_INIT_AUTOMAKE.
# We support both call styles for the transition. After
# the next Automake release, Autoconf can make the AC_INIT
# arguments mandatory, and then we can depend on a new Autoconf
# release and drop the old call support.
AC_DEFUN([AM_INIT_AUTOMAKE],
[AC_PREREQ([2.62])dnl
dnl Autoconf wants to disallow AM_ names. We explicitly allow
dnl the ones we care about.
m4_pattern_allow([^AM_[A-Z]+FLAGS$])dnl
AC_REQUIRE([AM_SET_CURRENT_AUTOMAKE_VERSION])dnl
AC_REQUIRE([AC_PROG_INSTALL])dnl
if test "`cd $srcdir && pwd`" != "`pwd`"; then
# Use -I$(srcdir) only when $(srcdir) != ., so that make's output
# is not polluted with repeated "-I."
AC_SUBST([am__isrc], [' -I$(srcdir)'])_AM_SUBST_NOTMAKE([am__isrc])dnl
# test to see if srcdir already configured
if test -f $srcdir/config.status; then
AC_MSG_ERROR([source directory already configured; run "make distclean" there first])
fi
fi
# test whether we have cygpath
if test -z "$CYGPATH_W"; then
if (cygpath --version) >/dev/null 2>/dev/null; then
CYGPATH_W='cygpath -w'
else
CYGPATH_W=echo
fi
fi
AC_SUBST([CYGPATH_W])
# Define the identity of the package.
dnl Distinguish between old-style and new-style calls.
m4_ifval([$2],
[AC_DIAGNOSE([obsolete],
[$0: two- and three-arguments forms are deprecated. For more info, see:
http://www.gnu.org/software/automake/manual/automake.html#Modernize-AM_INIT_AUTOMAKE-invocation])
m4_ifval([$3], [_AM_SET_OPTION([no-define])])dnl
AC_SUBST([PACKAGE], [$1])dnl
AC_SUBST([VERSION], [$2])],
[_AM_SET_OPTIONS([$1])dnl
dnl Diagnose old-style AC_INIT with new-style AM_AUTOMAKE_INIT.
m4_if(
m4_ifdef([AC_PACKAGE_NAME], [ok]):m4_ifdef([AC_PACKAGE_VERSION], [ok]),
[ok:ok],,
[m4_fatal([AC_INIT should be called with package and version arguments])])dnl
AC_SUBST([PACKAGE], ['AC_PACKAGE_TARNAME'])dnl
AC_SUBST([VERSION], ['AC_PACKAGE_VERSION'])])dnl
_AM_IF_OPTION([no-define],,
[AC_DEFINE_UNQUOTED([PACKAGE], ["$PACKAGE"], [Name of package])
AC_DEFINE_UNQUOTED([VERSION], ["$VERSION"], [Version number of package])])dnl
# Some tools Automake needs.
AC_REQUIRE([AM_SANITY_CHECK])dnl
AC_REQUIRE([AC_ARG_PROGRAM])dnl
AM_MISSING_PROG([ACLOCAL], [aclocal-${am__api_version}])
AM_MISSING_PROG([AUTOCONF], [autoconf])
AM_MISSING_PROG([AUTOMAKE], [automake-${am__api_version}])
AM_MISSING_PROG([AUTOHEADER], [autoheader])
AM_MISSING_PROG([MAKEINFO], [makeinfo])
AC_REQUIRE([AM_PROG_INSTALL_SH])dnl
AC_REQUIRE([AM_PROG_INSTALL_STRIP])dnl
AC_REQUIRE([AC_PROG_MKDIR_P])dnl
AC_SUBST([mkdir_p], ["$MKDIR_P"])dnl
# We need awk for the "check" target. The system "awk" is bad on
# some platforms.
AC_REQUIRE([AC_PROG_AWK])dnl
AC_REQUIRE([AC_PROG_MAKE_SET])dnl
AC_REQUIRE([AM_SET_LEADING_DOT])dnl
_AM_IF_OPTION([tar-ustar], [_AM_PROG_TAR([ustar])],
[_AM_IF_OPTION([tar-pax], [_AM_PROG_TAR([pax])],
[_AM_PROG_TAR([v7])])])
_AM_IF_OPTION([no-dependencies],,
[AC_PROVIDE_IFELSE([AC_PROG_CC],
[_AM_DEPENDENCIES([CC])],
[m4_define([AC_PROG_CC],
m4_defn([AC_PROG_CC])[_AM_DEPENDENCIES([CC])])])dnl
AC_PROVIDE_IFELSE([AC_PROG_CXX],
[_AM_DEPENDENCIES([CXX])],
[m4_define([AC_PROG_CXX],
m4_defn([AC_PROG_CXX])[_AM_DEPENDENCIES([CXX])])])dnl
AC_PROVIDE_IFELSE([AC_PROG_OBJC],
[_AM_DEPENDENCIES([OBJC])],
[m4_define([AC_PROG_OBJC],
m4_defn([AC_PROG_OBJC])[_AM_DEPENDENCIES([OBJC])])])dnl
dnl Support for Objective C++ was only introduced in Autoconf 2.65,
dnl but we still cater to Autoconf 2.62.
m4_ifdef([AC_PROG_OBJCXX],
[AC_PROVIDE_IFELSE([AC_PROG_OBJCXX],
[_AM_DEPENDENCIES([OBJCXX])],
[m4_define([AC_PROG_OBJCXX],
m4_defn([AC_PROG_OBJCXX])[_AM_DEPENDENCIES([OBJCXX])])])])dnl
])
_AM_IF_OPTION([silent-rules], [AC_REQUIRE([AM_SILENT_RULES])])dnl
dnl The 'parallel-tests' driver may need to know about EXEEXT, so add the
dnl 'am__EXEEXT' conditional if _AM_COMPILER_EXEEXT was seen. This macro
dnl is hooked onto _AC_COMPILER_EXEEXT early, see below.
AC_CONFIG_COMMANDS_PRE(dnl
[m4_provide_if([_AM_COMPILER_EXEEXT],
[AM_CONDITIONAL([am__EXEEXT], [test -n "$EXEEXT"])])])dnl
])
dnl Hook into '_AC_COMPILER_EXEEXT' early to learn its expansion. Do not
dnl add the conditional right here, as _AC_COMPILER_EXEEXT may be further
dnl mangled by Autoconf and run in a shell conditional statement.
m4_define([_AC_COMPILER_EXEEXT],
m4_defn([_AC_COMPILER_EXEEXT])[m4_provide([_AM_COMPILER_EXEEXT])])
# When config.status generates a header, we must update the stamp-h file.
# This file resides in the same directory as the config header
# that is generated. The stamp files are numbered to have different names.
# Autoconf calls _AC_AM_CONFIG_HEADER_HOOK (when defined) in the
# loop where config.status creates the headers, so we can generate
# our stamp files there.
AC_DEFUN([_AC_AM_CONFIG_HEADER_HOOK],
[# Compute $1's index in $config_headers.
_am_arg=$1
_am_stamp_count=1
for _am_header in $config_headers :; do
case $_am_header in
$_am_arg | $_am_arg:* )
break ;;
* )
_am_stamp_count=`expr $_am_stamp_count + 1` ;;
esac
done
echo "timestamp for $_am_arg" >`AS_DIRNAME(["$_am_arg"])`/stamp-h[]$_am_stamp_count])
# Copyright (C) 2001-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 8
# AM_PROG_INSTALL_SH
# ------------------
# Define $install_sh.
AC_DEFUN([AM_PROG_INSTALL_SH],
[AC_REQUIRE([AM_AUX_DIR_EXPAND])dnl
if test x"${install_sh}" != xset; then
case $am_aux_dir in
*\ * | *\ *)
install_sh="\${SHELL} '$am_aux_dir/install-sh'" ;;
*)
install_sh="\${SHELL} $am_aux_dir/install-sh"
esac
fi
AC_SUBST([install_sh])])
# Copyright (C) 2003-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 2
# Check whether the underlying file-system supports filenames
# with a leading dot. For instance MS-DOS doesn't.
AC_DEFUN([AM_SET_LEADING_DOT],
[rm -rf .tst 2>/dev/null
mkdir .tst 2>/dev/null
if test -d .tst; then
am__leading_dot=.
else
am__leading_dot=_
fi
rmdir .tst 2>/dev/null
AC_SUBST([am__leading_dot])])
# Check to see how 'make' treats includes. -*- Autoconf -*-
# Copyright (C) 2001-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 5
# AM_MAKE_INCLUDE()
# -----------------
# Check to see how make treats includes.
AC_DEFUN([AM_MAKE_INCLUDE],
[am_make=${MAKE-make}
cat > confinc << 'END'
am__doit:
@echo this is the am__doit target
.PHONY: am__doit
END
# If we don't find an include directive, just comment out the code.
AC_MSG_CHECKING([for style of include used by $am_make])
am__include="#"
am__quote=
_am_result=none
# First try GNU make style include.
echo "include confinc" > confmf
# Ignore all kinds of additional output from 'make'.
case `$am_make -s -f confmf 2> /dev/null` in #(
*the\ am__doit\ target*)
am__include=include
am__quote=
_am_result=GNU
;;
esac
# Now try BSD make style include.
if test "$am__include" = "#"; then
echo '.include "confinc"' > confmf
case `$am_make -s -f confmf 2> /dev/null` in #(
*the\ am__doit\ target*)
am__include=.include
am__quote="\""
_am_result=BSD
;;
esac
fi
AC_SUBST([am__include])
AC_SUBST([am__quote])
AC_MSG_RESULT([$_am_result])
rm -f confinc confmf
])
# Copyright (C) 1999-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 6
# AM_PROG_CC_C_O
# --------------
# Like AC_PROG_CC_C_O, but changed for automake.
AC_DEFUN([AM_PROG_CC_C_O],
[AC_REQUIRE([AC_PROG_CC_C_O])dnl
AC_REQUIRE([AM_AUX_DIR_EXPAND])dnl
AC_REQUIRE_AUX_FILE([compile])dnl
# FIXME: we rely on the cache variable name because
# there is no other way.
set dummy $CC
am_cc=`echo $[2] | sed ['s/[^a-zA-Z0-9_]/_/g;s/^[0-9]/_/']`
eval am_t=\$ac_cv_prog_cc_${am_cc}_c_o
if test "$am_t" != yes; then
# Losing compiler, so override with the script.
# FIXME: It is wrong to rewrite CC.
# But if we don't then we get into trouble of one sort or another.
# A longer-term fix would be to have automake use am__CC in this case,
# and then we could set am__CC="\$(top_srcdir)/compile \$(CC)"
CC="$am_aux_dir/compile $CC"
fi
dnl Make sure AC_PROG_CC is never called again, or it will override our
dnl setting of CC.
m4_define([AC_PROG_CC],
[m4_fatal([AC_PROG_CC cannot be called after AM_PROG_CC_C_O])])
])
# Fake the existence of programs that GNU maintainers use. -*- Autoconf -*-
# Copyright (C) 1997-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 7
# AM_MISSING_PROG(NAME, PROGRAM)
# ------------------------------
AC_DEFUN([AM_MISSING_PROG],
[AC_REQUIRE([AM_MISSING_HAS_RUN])
$1=${$1-"${am_missing_run}$2"}
AC_SUBST($1)])
# AM_MISSING_HAS_RUN
# ------------------
# Define MISSING if not defined so far and test if it supports --run.
# If it does, set am_missing_run to use it, otherwise, to nothing.
AC_DEFUN([AM_MISSING_HAS_RUN],
[AC_REQUIRE([AM_AUX_DIR_EXPAND])dnl
AC_REQUIRE_AUX_FILE([missing])dnl
if test x"${MISSING+set}" != xset; then
case $am_aux_dir in
*\ * | *\ *)
MISSING="\${SHELL} \"$am_aux_dir/missing\"" ;;
*)
MISSING="\${SHELL} $am_aux_dir/missing" ;;
esac
fi
# Use eval to expand $SHELL
if eval "$MISSING --run true"; then
am_missing_run="$MISSING --run "
else
am_missing_run=
AC_MSG_WARN(['missing' script is too old or missing])
fi
])
# Helper functions for option handling. -*- Autoconf -*-
# Copyright (C) 2001-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 6
# _AM_MANGLE_OPTION(NAME)
# -----------------------
AC_DEFUN([_AM_MANGLE_OPTION],
[[_AM_OPTION_]m4_bpatsubst($1, [[^a-zA-Z0-9_]], [_])])
# _AM_SET_OPTION(NAME)
# --------------------
# Set option NAME. Presently that only means defining a flag for this option.
AC_DEFUN([_AM_SET_OPTION],
[m4_define(_AM_MANGLE_OPTION([$1]), [1])])
# _AM_SET_OPTIONS(OPTIONS)
# ------------------------
# OPTIONS is a space-separated list of Automake options.
AC_DEFUN([_AM_SET_OPTIONS],
[m4_foreach_w([_AM_Option], [$1], [_AM_SET_OPTION(_AM_Option)])])
# _AM_IF_OPTION(OPTION, IF-SET, [IF-NOT-SET])
# -------------------------------------------
# Execute IF-SET if OPTION is set, IF-NOT-SET otherwise.
AC_DEFUN([_AM_IF_OPTION],
[m4_ifset(_AM_MANGLE_OPTION([$1]), [$2], [$3])])
# Check to make sure that the build environment is sane. -*- Autoconf -*-
# Copyright (C) 1996-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 9
# AM_SANITY_CHECK
# ---------------
AC_DEFUN([AM_SANITY_CHECK],
[AC_MSG_CHECKING([whether build environment is sane])
# Reject unsafe characters in $srcdir or the absolute working directory
# name. Accept space and tab only in the latter.
am_lf='
'
case `pwd` in
*[[\\\"\#\$\&\'\`$am_lf]]*)
AC_MSG_ERROR([unsafe absolute working directory name]);;
esac
case $srcdir in
*[[\\\"\#\$\&\'\`$am_lf\ \ ]]*)
AC_MSG_ERROR([unsafe srcdir value: '$srcdir']);;
esac
# Do 'set' in a subshell so we don't clobber the current shell's
# arguments. Must try -L first in case configure is actually a
# symlink; some systems play weird games with the mod time of symlinks
# (eg FreeBSD returns the mod time of the symlink's containing
# directory).
if (
am_has_slept=no
for am_try in 1 2; do
echo "timestamp, slept: $am_has_slept" > conftest.file
set X `ls -Lt "$srcdir/configure" conftest.file 2> /dev/null`
if test "$[*]" = "X"; then
# -L didn't work.
set X `ls -t "$srcdir/configure" conftest.file`
fi
if test "$[*]" != "X $srcdir/configure conftest.file" \
&& test "$[*]" != "X conftest.file $srcdir/configure"; then
# If neither matched, then we have a broken ls. This can happen
# if, for instance, CONFIG_SHELL is bash and it inherits a
# broken ls alias from the environment. This has actually
# happened. Such a system could not be considered "sane".
AC_MSG_ERROR([ls -t appears to fail. Make sure there is not a broken
alias in your environment])
fi
if test "$[2]" = conftest.file || test $am_try -eq 2; then
break
fi
# Just in case.
sleep 1
am_has_slept=yes
done
test "$[2]" = conftest.file
)
then
# Ok.
:
else
AC_MSG_ERROR([newly created file is older than distributed files!
Check your system clock])
fi
AC_MSG_RESULT([yes])
# If we didn't sleep, we still need to ensure time stamps of config.status and
# generated files are strictly newer.
am_sleep_pid=
if grep 'slept: no' conftest.file >/dev/null 2>&1; then
( sleep 1 ) &
am_sleep_pid=$!
fi
AC_CONFIG_COMMANDS_PRE(
[AC_MSG_CHECKING([that generated files are newer than configure])
if test -n "$am_sleep_pid"; then
# Hide warnings about reused PIDs.
wait $am_sleep_pid 2>/dev/null
fi
AC_MSG_RESULT([done])])
rm -f conftest.file
])
# Copyright (C) 2001-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 2
# AM_PROG_INSTALL_STRIP
# ---------------------
# One issue with vendor 'install' (even GNU) is that you can't
# specify the program used to strip binaries. This is especially
# annoying in cross-compiling environments, where the build's strip
# is unlikely to handle the host's binaries.
# Fortunately install-sh will honor a STRIPPROG variable, so we
# always use install-sh in "make install-strip", and initialize
# STRIPPROG with the value of the STRIP variable (set by the user).
AC_DEFUN([AM_PROG_INSTALL_STRIP],
[AC_REQUIRE([AM_PROG_INSTALL_SH])dnl
# Installed binaries are usually stripped using 'strip' when the user
# run "make install-strip". However 'strip' might not be the right
# tool to use in cross-compilation environments, therefore Automake
# will honor the 'STRIP' environment variable to overrule this program.
dnl Don't test for $cross_compiling = yes, because it might be 'maybe'.
if test "$cross_compiling" != no; then
AC_CHECK_TOOL([STRIP], [strip], :)
fi
INSTALL_STRIP_PROGRAM="\$(install_sh) -c -s"
AC_SUBST([INSTALL_STRIP_PROGRAM])])
# Copyright (C) 2006-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 3
# _AM_SUBST_NOTMAKE(VARIABLE)
# ---------------------------
# Prevent Automake from outputting VARIABLE = @VARIABLE@ in Makefile.in.
# This macro is traced by Automake.
AC_DEFUN([_AM_SUBST_NOTMAKE])
# AM_SUBST_NOTMAKE(VARIABLE)
# --------------------------
# Public sister of _AM_SUBST_NOTMAKE.
AC_DEFUN([AM_SUBST_NOTMAKE], [_AM_SUBST_NOTMAKE($@)])
# Check how to create a tarball. -*- Autoconf -*-
# Copyright (C) 2004-2012 Free Software Foundation, Inc.
#
# This file is free software; the Free Software Foundation
# gives unlimited permission to copy and/or distribute it,
# with or without modifications, as long as this notice is preserved.
# serial 3
# _AM_PROG_TAR(FORMAT)
# --------------------
# Check how to create a tarball in format FORMAT.
# FORMAT should be one of 'v7', 'ustar', or 'pax'.
#
# Substitute a variable $(am__tar) that is a command
# writing to stdout a FORMAT-tarball containing the directory
# $tardir.
# tardir=directory && $(am__tar) > result.tar
#
# Substitute a variable $(am__untar) that extract such
# a tarball read from stdin.
# $(am__untar) < result.tar
AC_DEFUN([_AM_PROG_TAR],
[# Always define AMTAR for backward compatibility. Yes, it's still used
# in the wild :-( We should find a proper way to deprecate it ...
AC_SUBST([AMTAR], ['$${TAR-tar}'])
m4_if([$1], [v7],
[am__tar='$${TAR-tar} chof - "$$tardir"' am__untar='$${TAR-tar} xf -'],
[m4_case([$1], [ustar],, [pax],,
[m4_fatal([Unknown tar format])])
AC_MSG_CHECKING([how to create a $1 tar archive])
# Loop over all known methods to create a tar archive until one works.
_am_tools='gnutar m4_if([$1], [ustar], [plaintar]) pax cpio none'
_am_tools=${am_cv_prog_tar_$1-$_am_tools}
# Do not fold the above two line into one, because Tru64 sh and
# Solaris sh will not grok spaces in the rhs of '-'.
for _am_tool in $_am_tools
do
case $_am_tool in
gnutar)
for _am_tar in tar gnutar gtar;
do
AM_RUN_LOG([$_am_tar --version]) && break
done
am__tar="$_am_tar --format=m4_if([$1], [pax], [posix], [$1]) -chf - "'"$$tardir"'
am__tar_="$_am_tar --format=m4_if([$1], [pax], [posix], [$1]) -chf - "'"$tardir"'
am__untar="$_am_tar -xf -"
;;
plaintar)
# Must skip GNU tar: if it does not support --format= it doesn't create
# ustar tarball either.
(tar --version) >/dev/null 2>&1 && continue
am__tar='tar chf - "$$tardir"'
am__tar_='tar chf - "$tardir"'
am__untar='tar xf -'
;;
pax)
am__tar='pax -L -x $1 -w "$$tardir"'
am__tar_='pax -L -x $1 -w "$tardir"'
am__untar='pax -r'
;;
cpio)
am__tar='find "$$tardir" -print | cpio -o -H $1 -L'
am__tar_='find "$tardir" -print | cpio -o -H $1 -L'
am__untar='cpio -i -H $1 -d'
;;
none)
am__tar=false
am__tar_=false
am__untar=false
;;
esac
# If the value was cached, stop now. We just wanted to have am__tar
# and am__untar set.
test -n "${am_cv_prog_tar_$1}" && break
# tar/untar a dummy directory, and stop if the command works
rm -rf conftest.dir
mkdir conftest.dir
echo GrepMe > conftest.dir/file
AM_RUN_LOG([tardir=conftest.dir && eval $am__tar_ >conftest.tar])
rm -rf conftest.dir
if test -s conftest.tar; then
AM_RUN_LOG([$am__untar <conftest.tar])
grep GrepMe conftest.dir/file >/dev/null 2>&1 && break
fi
done
rm -rf conftest.dir
AC_CACHE_VAL([am_cv_prog_tar_$1], [am_cv_prog_tar_$1=$_am_tool])
AC_MSG_RESULT([$am_cv_prog_tar_$1])])
AC_SUBST([am__tar])
AC_SUBST([am__untar])
]) # _AM_PROG_TAR
|
orochi/ext4magic
|
aclocal.m4
|
m4
|
mit
| 345,013 |
#! /bin/sh
# Wrapper for compilers which do not understand '-c -o'.
scriptversion=2012-03-05.13; # UTC
# Copyright (C) 1999-2012 Free Software Foundation, Inc.
# Written by Tom Tromey <tromey@cygnus.com>.
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2, or (at your option)
# any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
# As a special exception to the GNU General Public License, if you
# distribute this file as part of a program that contains a
# configuration script generated by Autoconf, you may include it under
# the same distribution terms that you use for the rest of that program.
# This file is maintained in Automake, please report
# bugs to <bug-automake@gnu.org> or send patches to
# <automake-patches@gnu.org>.
nl='
'
# We need space, tab and new line, in precisely that order. Quoting is
# there to prevent tools from complaining about whitespace usage.
IFS=" "" $nl"
file_conv=
# func_file_conv build_file lazy
# Convert a $build file to $host form and store it in $file
# Currently only supports Windows hosts. If the determined conversion
# type is listed in (the comma separated) LAZY, no conversion will
# take place.
func_file_conv ()
{
file=$1
case $file in
/ | /[!/]*) # absolute file, and not a UNC file
if test -z "$file_conv"; then
# lazily determine how to convert abs files
case `uname -s` in
MINGW*)
file_conv=mingw
;;
CYGWIN*)
file_conv=cygwin
;;
*)
file_conv=wine
;;
esac
fi
case $file_conv/,$2, in
*,$file_conv,*)
;;
mingw/*)
file=`cmd //C echo "$file " | sed -e 's/"\(.*\) " *$/\1/'`
;;
cygwin/*)
file=`cygpath -m "$file" || echo "$file"`
;;
wine/*)
file=`winepath -w "$file" || echo "$file"`
;;
esac
;;
esac
}
# func_cl_dashL linkdir
# Make cl look for libraries in LINKDIR
func_cl_dashL ()
{
func_file_conv "$1"
if test -z "$lib_path"; then
lib_path=$file
else
lib_path="$lib_path;$file"
fi
linker_opts="$linker_opts -LIBPATH:$file"
}
# func_cl_dashl library
# Do a library search-path lookup for cl
func_cl_dashl ()
{
lib=$1
found=no
save_IFS=$IFS
IFS=';'
for dir in $lib_path $LIB
do
IFS=$save_IFS
if $shared && test -f "$dir/$lib.dll.lib"; then
found=yes
lib=$dir/$lib.dll.lib
break
fi
if test -f "$dir/$lib.lib"; then
found=yes
lib=$dir/$lib.lib
break
fi
done
IFS=$save_IFS
if test "$found" != yes; then
lib=$lib.lib
fi
}
# func_cl_wrapper cl arg...
# Adjust compile command to suit cl
func_cl_wrapper ()
{
# Assume a capable shell
lib_path=
shared=:
linker_opts=
for arg
do
if test -n "$eat"; then
eat=
else
case $1 in
-o)
# configure might choose to run compile as 'compile cc -o foo foo.c'.
eat=1
case $2 in
*.o | *.[oO][bB][jJ])
func_file_conv "$2"
set x "$@" -Fo"$file"
shift
;;
*)
func_file_conv "$2"
set x "$@" -Fe"$file"
shift
;;
esac
;;
-I)
eat=1
func_file_conv "$2" mingw
set x "$@" -I"$file"
shift
;;
-I*)
func_file_conv "${1#-I}" mingw
set x "$@" -I"$file"
shift
;;
-l)
eat=1
func_cl_dashl "$2"
set x "$@" "$lib"
shift
;;
-l*)
func_cl_dashl "${1#-l}"
set x "$@" "$lib"
shift
;;
-L)
eat=1
func_cl_dashL "$2"
;;
-L*)
func_cl_dashL "${1#-L}"
;;
-static)
shared=false
;;
-Wl,*)
arg=${1#-Wl,}
save_ifs="$IFS"; IFS=','
for flag in $arg; do
IFS="$save_ifs"
linker_opts="$linker_opts $flag"
done
IFS="$save_ifs"
;;
-Xlinker)
eat=1
linker_opts="$linker_opts $2"
;;
-*)
set x "$@" "$1"
shift
;;
*.cc | *.CC | *.cxx | *.CXX | *.[cC]++)
func_file_conv "$1"
set x "$@" -Tp"$file"
shift
;;
*.c | *.cpp | *.CPP | *.lib | *.LIB | *.Lib | *.OBJ | *.obj | *.[oO])
func_file_conv "$1" mingw
set x "$@" "$file"
shift
;;
*)
set x "$@" "$1"
shift
;;
esac
fi
shift
done
if test -n "$linker_opts"; then
linker_opts="-link$linker_opts"
fi
exec "$@" $linker_opts
exit 1
}
eat=
case $1 in
'')
echo "$0: No command. Try '$0 --help' for more information." 1>&2
exit 1;
;;
-h | --h*)
cat <<\EOF
Usage: compile [--help] [--version] PROGRAM [ARGS]
Wrapper for compilers which do not understand '-c -o'.
Remove '-o dest.o' from ARGS, run PROGRAM with the remaining
arguments, and rename the output as expected.
If you are trying to build a whole package this is not the
right script to run: please start by reading the file 'INSTALL'.
Report bugs to <bug-automake@gnu.org>.
EOF
exit $?
;;
-v | --v*)
echo "compile $scriptversion"
exit $?
;;
cl | *[/\\]cl | cl.exe | *[/\\]cl.exe )
func_cl_wrapper "$@" # Doesn't return...
;;
esac
ofile=
cfile=
for arg
do
if test -n "$eat"; then
eat=
else
case $1 in
-o)
# configure might choose to run compile as 'compile cc -o foo foo.c'.
# So we strip '-o arg' only if arg is an object.
eat=1
case $2 in
*.o | *.obj)
ofile=$2
;;
*)
set x "$@" -o "$2"
shift
;;
esac
;;
*.c)
cfile=$1
set x "$@" "$1"
shift
;;
*)
set x "$@" "$1"
shift
;;
esac
fi
shift
done
if test -z "$ofile" || test -z "$cfile"; then
# If no '-o' option was seen then we might have been invoked from a
# pattern rule where we don't need one. That is ok -- this is a
# normal compilation that the losing compiler can handle. If no
# '.c' file was seen then we are probably linking. That is also
# ok.
exec "$@"
fi
# Name of file we expect compiler to create.
cofile=`echo "$cfile" | sed 's|^.*[\\/]||; s|^[a-zA-Z]:||; s/\.c$/.o/'`
# Create the lock directory.
# Note: use '[/\\:.-]' here to ensure that we don't use the same name
# that we are using for the .o file. Also, base the name on the expected
# object file name, since that is what matters with a parallel build.
lockdir=`echo "$cofile" | sed -e 's|[/\\:.-]|_|g'`.d
while true; do
if mkdir "$lockdir" >/dev/null 2>&1; then
break
fi
sleep 1
done
# FIXME: race condition here if user kills between mkdir and trap.
trap "rmdir '$lockdir'; exit 1" 1 2 15
# Run the compile.
"$@"
ret=$?
if test -f "$cofile"; then
test "$cofile" = "$ofile" || mv "$cofile" "$ofile"
elif test -f "${cofile}bj"; then
test "${cofile}bj" = "$ofile" || mv "${cofile}bj" "$ofile"
fi
rmdir "$lockdir"
exit $ret
# Local Variables:
# mode: shell-script
# sh-indentation: 2
# eval: (add-hook 'write-file-hooks 'time-stamp)
# time-stamp-start: "scriptversion="
# time-stamp-format: "%:y-%02m-%02d.%02H"
# time-stamp-time-zone: "UTC"
# time-stamp-end: "; # UTC"
# End:
|
orochi/ext4magic
|
compile
|
none
|
mit
| 7,235 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.