text stringlengths 1 22.8M |
|---|
Anthrax toxin receptor 1 (ANTXR1 or also known asTEM8) is a protein that in humans is encoded by the ANTXR1 gene. Its molecular weight is predicted as about 63kDa.
The protein encoded by this gene is a type I transmembrane protein and is a tumor-specific endothelial marker that has been implicated in colorectal cancer. This protein has been shown to also be a docking protein or receptor for Bacillus anthracis toxin, the causative agent of the disease, anthrax. The binding of the protective antigen (PA) component, of the tripartite anthrax toxin, to this receptor protein mediates delivery of toxin components to the cytosol of cells. Once inside the cell, the other two components of anthrax toxin, edema factor (EF) and lethal factor (LF) disrupt normal cellular processes. Three alternatively spliced variants have been described.
See also
Anthrax toxin
References
External links
Further reading
Single-pass transmembrane proteins |
Kızılca is a neighbourhood of the municipality and district of Tavas, Denizli Province, Turkey. Its population is 1,567 (2022). Before the 2013 reorganisation, it was a town (belde).
References
Neighbourhoods in Tavas District |
```javascript
var group__backgroundNet =
[
[ "backgroundNet", "group__backgroundNet.html#classbackgroundNet", [
[ "~backgroundNet", "group__backgroundNet.html#a6b474d88a5447623257e0f473352b465", null ],
[ "backgroundNet", "group__backgroundNet.html#a4a5cb05216bf994f05887d44b249f6b4", null ],
[ "init", "group__backgroundNet.html#ac3d21c4f9d5982c1e317ce7b01d3dea4", null ],
[ "Process", "group__backgroundNet.html#adf58aca64daa5f7b6267df690bc00c92", null ],
[ "Process", "group__backgroundNet.html#a21a10a6dbc5d74d9f6723cfc95d64b55", null ],
[ "Process", "group__backgroundNet.html#a4c90e4c05c2bfb87b4c87ad7c746609d", null ],
[ "Process", "group__backgroundNet.html#a101e44eee311188da5db39a812295a75", null ]
] ],
[ "BACKGROUNDNET_DEFAULT_INPUT", "group__backgroundNet.html#gaedcfc9671390875215c85dcddd3cff09", null ],
[ "BACKGROUNDNET_DEFAULT_OUTPUT", "group__backgroundNet.html#ga3ebbfc2bb8d09adb2e1505704ebedde6", null ],
[ "BACKGROUNDNET_MODEL_TYPE", "group__backgroundNet.html#ga4ead266677aa864b484cae25a3c6062f", null ],
[ "BACKGROUNDNET_USAGE_STRING", "group__backgroundNet.html#ga554b40e53cb2ec9b6768adaf32087f57", null ]
];
``` |
Boznabad-e Jadid (, also Romanized as Boznābād-e Jadīd; also known as Boznābād, Būznābād, and Buznābād) is a village in Mahyar Rural District, in the Central District of Qaen County, South Khorasan Province, Iran. At the 2006 census, its population was 549, in 139 families.
References
Populated places in Qaen County |
```java
package chapter1.section4;
import edu.princeton.cs.algs4.StdOut;
import edu.princeton.cs.algs4.StdRandom;
import edu.princeton.cs.algs4.Stopwatch;
import java.util.LinkedList;
import java.util.List;
/**
* Created by Rene Argento on 27/11/16.
*/
public class Exercise43_ResizingArraysVersusLinkedList<Item> {
private interface Stack<Item> {
boolean isEmpty();
int size();
void push(Item item);
Item pop();
}
private class Node {
Item item;
Node next;
}
private class StackWithLinkedList implements Stack<Item>{
private Node first;
private int size;
public boolean isEmpty() {
return size == 0;
}
public int size() {
return size;
}
public void push(Item item) {
Node oldFirst = first;
first = new Node();
first.item = item;
first.next = oldFirst;
size++;
}
public Item pop() {
if (isEmpty()) {
throw new RuntimeException("Stack underflow");
}
Item item = first.item;
first = first.next;
size--;
return item;
}
}
@SuppressWarnings("unchecked")
private class StackWithResizingArray implements Stack<Item>{
Item[] values;
int size;
public StackWithResizingArray(int initialSize) {
values = (Item[]) new Object[initialSize];
size = 0;
}
public boolean isEmpty() {
return size == 0;
}
public int size() {
return size;
}
public void push(Item item) {
if (size == values.length) {
resizeArray(size * 2);
}
values[size] = item;
size++;
}
public Item pop() {
if (isEmpty()) {
throw new RuntimeException("Stack underflow");
}
Item item = values[size - 1];
values[size - 1] = null; // to avoid loitering
size--;
if (size == values.length / 4) {
resizeArray(values.length / 2);
}
return item;
}
private void resizeArray(int newCapacity) {
Item[] newValues = (Item[]) new Object[newCapacity];
for (int i = 0; i < size; i++) {
newValues[i] = values[i];
}
values = newValues;
}
}
private final int INITIAL_NUMBER_OF_OPERATIONS = 524288; // 2^19 = 524288
private final int FINAL_NUMBER_OF_OPERATIONS = 67108864; // 2^26 = 67108864
public static void main(String[] args) {
Exercise43_ResizingArraysVersusLinkedList<Integer> resizingArrayXLinkedList = new Exercise43_ResizingArraysVersusLinkedList<>();
//Resizing array stack
Stack<Integer> resizingArrayStack = resizingArrayXLinkedList.new StackWithResizingArray(10);
List<Double> resizingArrayRunningTimes = resizingArrayXLinkedList.runExperiments(resizingArrayStack);
//Linked list stack
Stack<Integer> linkedListStack = resizingArrayXLinkedList.new StackWithLinkedList();
List<Double> linkedListRunningTimes = resizingArrayXLinkedList.runExperiments(linkedListStack);
double[][] runningTimes = new double[resizingArrayRunningTimes.size()][2];
for (int i = 0; i < resizingArrayRunningTimes.size(); i++) {
runningTimes[i][0] = resizingArrayRunningTimes.get(i);
}
for (int i = 0; i < linkedListRunningTimes.size(); i++) {
runningTimes[i][1] = linkedListRunningTimes.get(i);
}
resizingArrayXLinkedList.printResults(runningTimes);
}
private List<Double> runExperiments(Stack<Integer> stack) {
List<Double> runningTimes = new LinkedList<>();
for (int n = INITIAL_NUMBER_OF_OPERATIONS; n <= FINAL_NUMBER_OF_OPERATIONS; n += n) {
double runningTime = timeTrial(n, stack);
runningTimes.add(runningTime);
}
return runningTimes;
}
private double timeTrial(int n, Stack<Integer> stack) {
int max = 1000000;
int[] numbers = new int[n];
for (int i = 0; i < n; i++) {
numbers[i] = StdRandom.uniform(-max, max);
}
Stopwatch timer = new Stopwatch();
//N pushes and pop operations
for (int number : numbers) {
stack.push(number);
}
while (!stack.isEmpty()) {
stack.pop();
}
return timer.elapsedTime();
}
private void printResults(double[][] runningTimes) {
StdOut.printf("%13s %7s %6s %9s\n", "N operations", "Array", "List", "Ratio");
int numberOfOperations = INITIAL_NUMBER_OF_OPERATIONS;
for (int i = 0; i < runningTimes.length; i++) {
StdOut.printf("%13d %7.1f %6.1f", numberOfOperations, runningTimes[i][0], runningTimes[i][1]);
StdOut.printf("%9.1f\n", runningTimes[i][0] / runningTimes[i][1]);
numberOfOperations *= 2;
}
}
}
``` |
```yaml
category: Utilities
sectionOrder:
- Connect
- Collect
commonfields:
id: GitHub
version: -1
configuration:
- display: Fetch incidents
name: isFetch
type: 8
section: Collect
required: false
- defaultvalue: Issue
display: Select an Issue or Pull requests to Fetch
name: fetch_object
options:
- Issue
- Pull_requests
type: 15
section: Collect
advanced: true
required: false
- defaultvalue: path_to_url
display: Server URL
name: url
type: 0
additionalinfo: The REST API URL
section: Connect
required: false
- displaypassword: API Token
name: api_token
type: 9
hiddenusername: true
section: Connect
required: false
- display: Credentials
name: credentials
type: 9
section: Connect
required: false
- display: 'Username of the repository owner, for example: github.com/repos/{_owner_}/{repo}/issues'
name: user
type: 0
section: Connect
required: false
- display: The name of the requested repository
name: repository
type: 0
section: Connect
advanced: true
required: false
- defaultvalue: '3'
display: First fetch interval (in days)
name: fetch_time
type: 0
section: Collect
required: false
- display: Use system proxy settings
name: proxy
type: 8
section: Connect
advanced: true
required: false
- defaultvalue: 'false'
display: Trust any certificate (not secure)
name: insecure
type: 8
section: Connect
advanced: true
required: false
- display: Incident type
name: incidentType
type: 13
section: Connect
required: false
- display: GitHub app integration ID
name: integration_id
type: 0
section: Connect
advanced: true
required: false
- display: GitHub app installation ID
name: installation_id
type: 0
section: Connect
advanced: true
required: false
- display: API Token
name: token
type: 4
hidden: true
section: Connect
advanced: true
required: false
description: Integration to GitHub API.
display: GitHub
name: GitHub
script:
commands:
- arguments:
- description: The title of the issue.
name: title
required: true
- description: The contents of the issue.
name: body
- description: Labels to associate with this issue.
isArray: true
name: labels
- description: Logins for Users to assign to this issue.
isArray: true
name: assignees
description: Creates an issue in GitHub.
name: GitHub-create-issue
outputs:
- contextPath: GitHub.Issue.ID
description: The ID of the created issue.
type: Number
- contextPath: GitHub.Issue.Repository
description: The repository of the created issue.
type: String
- contextPath: GitHub.Issue.Title
description: The title of the created issue.
type: String
- contextPath: GitHub.Issue.Body
description: The body of the created issue.
type: Unknown
- contextPath: GitHub.Issue.State
description: The state of the created issue.
type: String
- contextPath: GitHub.Issue.Labels
description: The labels applied to the issue.
type: String
- contextPath: GitHub.Issue.Assignees
description: The users assigned to this issue.
type: String
- contextPath: GitHub.Issue.Created_at
description: The date the issue was created.
type: Date
- contextPath: GitHub.Issue.Updated_at
description: The date the issue was last updated.
type: Date
- contextPath: GitHub.Issue.Closed_at
description: The date the issue was closed.
type: Date
- contextPath: GitHub.Issue.Closed_by
description: The user who closed the issue.
type: String
- contextPath: GitHub.Issue.Organization
description: The repository organization.
type: String
- arguments:
- description: The number of the issue to close.
name: ID
required: true
description: Closes an existing issue.
name: GitHub-close-issue
outputs:
- contextPath: GitHub.Issue.ID
description: The ID of the closed issue.
type: Number
- contextPath: GitHub.Issue.Repository
description: The repository of the closed issue.
type: String
- contextPath: GitHub.Issue.Title
description: The title of the closed issue.
type: String
- contextPath: GitHub.Issue.Body
description: The body of the closed issue.
type: Unknown
- contextPath: GitHub.Issue.State
description: The state of the closed issue.
type: String
- contextPath: GitHub.Issue.Labels
description: The labels applied to the issue.
type: String
- contextPath: GitHub.Issue.Assignees
description: Users assigned to the issue.
type: String
- contextPath: GitHub.Issue.Created_at
description: The date the issue was created.
type: Date
- contextPath: GitHub.Issue.Updated_at
description: The date the issue was last updated.
type: Date
- contextPath: GitHub.Issue.Closed_at
description: The date the issue was closed.
type: Date
- contextPath: GitHub.Issue.Closed_by
description: The user who closed the issue.
type: String
- contextPath: GitHub.Issue.Organization
description: The repository organization.
type: String
- arguments:
- description: The number of the issue to update.
name: ID
required: true
- description: The title of the issue.
name: title
- description: The contents of the issue.
name: body
- description: State of the issue. Either open or closed.
name: state
- description: 'Labels to apply to this issue. Pass one or more Labels to replace the set of Labels on this Issue. Send an empty array ([]) to clear all Labels from the Issue. '
isArray: true
name: labels
- description: Logins for Users to assign to this issue. Pass one or more user logins to replace the set of assignees on this Issue. Send an empty array ([]) to clear all assignees from the Issue.
isArray: true
name: assignees
description: Updates the parameters of a specified issue.
name: GitHub-update-issue
outputs:
- contextPath: GitHub.Issue.ID
description: The ID of the updated issue.
type: Number
- contextPath: GitHub.Issue.Repository
description: The repository of the updated issue.
type: String
- contextPath: GitHub.Issue.Title
description: The title of the updated issue.
type: String
- contextPath: GitHub.Issue.Body
description: The body of the updated issue.
type: Unknown
- contextPath: GitHub.Issue.State
description: The state of the updated issue.
type: String
- contextPath: GitHub.Issue.Labels
description: The labels applied to the issue.
type: String
- contextPath: GitHub.Issue.Assignees
description: Users assigned to the issue.
type: String
- contextPath: GitHub.Issue.Created_at
description: The date the issue was created.
type: Date
- contextPath: GitHub.Issue.Updated_at
description: The date the issue was last updated.
type: Date
- contextPath: GitHub.Issue.Closed_at
description: The date the issue was closed.
type: Date
- contextPath: GitHub.Issue.Closed_by
description: The user who closed the issue.
type: String
- contextPath: GitHub.Issue.Organization
description: The repository organization.
type: String
- arguments:
- auto: PREDEFINED
defaultValue: open
description: The state of the issues to return. Can be 'open', 'closed' or 'all'. Default is 'open'.
name: state
predefined:
- open
- closed
- all
required: true
- defaultValue: '50'
description: The number of issues to return. Default is 50. Maximum is 100.
name: limit
description: Lists all issues that the user has access to view.
name: GitHub-list-all-issues
outputs:
- contextPath: GitHub.Issue.ID
description: The ID of the issue.
type: Number
- contextPath: GitHub.Issue.Repository
description: The repository of the issue.
type: String
- contextPath: GitHub.Issue.Title
description: The title of the issue.
type: String
- contextPath: GitHub.Issue.Body
description: The body of the issue.
type: Unknown
- contextPath: GitHub.Issue.State
description: The state of the issue.
type: String
- contextPath: GitHub.Issue.Labels
description: The labels applied to the issue.
type: String
- contextPath: GitHub.Issue.Assignees
description: Users assigned to the issue.
type: String
- contextPath: GitHub.Issue.Created_at
description: The date the issue was created.
type: Date
- contextPath: GitHub.Issue.Updated_at
description: The date the issue was last updated.
type: Date
- contextPath: GitHub.Issue.Closed_at
description: The date the issue was closed.
type: Date
- contextPath: GitHub.Issue.Closed_by
description: The user who closed the issue.
type: String
- contextPath: GitHub.Issue.Organization
description: The repository organization.
type: String
- arguments:
- description: The query line for the search. For more information see the GitHub documentation at path_to_url
name: query
required: true
- description: The page number.
name: page_number
- description: The size of the requested page. Maximum is 100.
name: page_size
- description: The number of results to return. Default is 50.
name: limit
description: Searches for code in repositories that match a given query.
name: GitHub-search-code
outputs:
- contextPath: GitHub.CodeSearchResults.name
description: The file name where the code is found.
type: String
- contextPath: GitHub.CodeSearchResults.path
description: The full file path where the code is found.
type: String
- contextPath: GitHub.CodeSearchResults.html_url
description: The URL to the file.
type: String
- contextPath: GitHub.CodeSearchResults.repository.full_name
description: The repository name.
type: String
- contextPath: GitHub.CodeSearchResults.repository.html_url
description: The URL to the repository.
type: String
- contextPath: GitHub.CodeSearchResults.repository.description
description: The repository description.
type: String
- contextPath: GitHub.CodeSearchResults.repository.private
description: True if the repository is private, false if public.
type: Boolean
- contextPath: GitHub.CodeSearchResults.repository.id
description: The ID of the repository.
type: String
- contextPath: GitHub.CodeSearchResults.repository.releases_url
description: The URL to the releases of the repository.
type: String
- contextPath: GitHub.CodeSearchResults.repository.branches_url
description: The URL to the branches of the repository.
type: String
- contextPath: GitHub.CodeSearchResults.repository.commits_url
description: The URL to the commits of the repository.
type: String
- arguments:
- description: The query line for the search. For more information see the GitHub documentation at path_to_url
name: query
required: true
- defaultValue: '50'
description: The number of issues to return. Default is 50. Maximum is 100.
name: limit
description: Searches for and returns issues that match a given query.
name: GitHub-search-issues
outputs:
- contextPath: GitHub.Issue.ID
description: The ID of the issue.
type: Number
- contextPath: GitHub.Issue.Repository
description: The repository of the issue.
type: String
- contextPath: GitHub.Issue.Title
description: The title of the issue.
type: String
- contextPath: GitHub.Issue.Body
description: The body of the issue.
type: Unknown
- contextPath: GitHub.Issue.State
description: The state of the issue.
type: String
- contextPath: GitHub.Issue.Labels
description: The labels applied to the issue.
type: String
- contextPath: GitHub.Issue.Assignees
description: Users assigned to the issue.
type: String
- contextPath: GitHub.Issue.Created_at
description: The date the issue was created.
type: Date
- contextPath: GitHub.Issue.Updated_at
description: The date the issue was last updated.
type: Date
- contextPath: GitHub.Issue.Closed_at
description: The date the issue was closed.
type: Date
- contextPath: GitHub.Issue.Closed_by
description: The user who closed the issue.
type: String
- contextPath: GitHub.Issue.Organization
description: The repository organization.
type: String
- description: Returns the total number of downloads for all releases for the specified repository.
name: GitHub-get-download-count
outputs:
- contextPath: GitHub.Release.ID
description: ID of the release.
type: Number
- contextPath: GitHub.Release.Download_count
description: The download count for the release.
type: Number
- contextPath: GitHub.Release.Name
description: The name of the release.
type: String
- contextPath: GitHub.Release.Body
description: The body of the release.
type: String
- contextPath: GitHub.Release.Created_at
description: The date when the release was created.
type: Date
- contextPath: GitHub.Release.Published_at
description: The date when the release was published.
type: Date
- arguments:
- default: true
defaultValue: 3 days
description: Time of inactivity after which a PR is considered stale.
name: stale_time
required: true
- description: The label used to identify PRs of interest.
name: label
description: Gets inactive pull requests.
name: GitHub-get-stale-prs
outputs:
- contextPath: GitHub.PR.URL
description: The html URL of the PR.
type: String
- contextPath: GitHub.PR.Number
description: The GitHub pull request number.
type: Number
- contextPath: GitHub.PR.RequestedReviewer
description: A list of the PR's requested reviewers.
type: Unknown
- arguments:
- description: The name of the branch to retrieve.
name: branch_name
required: true
description: Gets a branch.
name: GitHub-get-branch
outputs:
- contextPath: GitHub.Branch.Name
description: The name of the branch.
type: String
- contextPath: GitHub.Branch.CommitSHA
description: The SHA of the commit the branch references.
type: String
- contextPath: GitHub.Branch.CommitNodeID
description: The Node ID of the commit the branch references.
type: String
- contextPath: GitHub.Branch.CommitAuthorID
description: The GitHub ID number of the author of the commit the branch references.
type: Number
- contextPath: GitHub.Branch.CommitAuthorLogin
description: The GitHub login of the author of the commit the branch references.
type: String
- contextPath: GitHub.Branch.CommitParentSHA
description: The SHAs of parent commits.
type: String
- contextPath: GitHub.Branch.Protected
description: Whether the branch is protected.
type: Boolean
- arguments:
- description: The name for the new branch.
name: branch_name
required: true
- description: The SHA hash of the commit to reference. Try executing the 'GitHub-get-branch' command to find a commit SHA hash to reference.
name: commit_sha
required: true
description: Create a new branch.
name: GitHub-create-branch
- arguments:
- description: The ID number by which the team is identified. Try executing the 'GitHub-list-teams' command to find team IDs to reference.
name: team_id
required: true
- description: The login of the user whose membership you wish to check.
name: user_name
required: true
description: Retrieves a user membership status with a team.
name: GitHub-get-team-membership
outputs:
- contextPath: GitHub.Team.Member.Role
description: The user's role on a team.
type: String
- contextPath: GitHub.Team.Member.State
description: The user's state for a team.
type: String
- contextPath: GitHub.Team.ID
description: The ID number of the team.
type: Number
- contextPath: GitHub.Team.Member.Login
description: The login of the team member.
type: String
- arguments:
- description: The number of the pull request you want to request review for.
name: pull_number
required: true
- description: A CSV list of GitHub users to request review from for a pull request.
isArray: true
name: reviewers
required: true
description: Requests reviews from GitHub users for a given pull request.
name: GitHub-request-review
outputs:
- contextPath: GitHub.PR.Number
description: The number of the pull request.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.Login
description: The login of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.ID
description: The ID of the user requested for review.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.NodeID
description: The node ID of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.Type
description: The type of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.SiteAdmin
description: Whether the user requested for review is a site admin.
type: Boolean
- arguments:
- description: The number of the issue to comment on.
name: issue_number
required: true
- description: The contents of the comment.
name: body
required: true
description: Creates a comment for a given issue.
name: GitHub-create-comment
outputs:
- contextPath: GitHub.Comment.IssueNumber
description: The number of the issue to which the comment belongs.
type: Number
- contextPath: GitHub.Comment.ID
description: The ID of the comment.
type: Number
- contextPath: GitHub.Comment.NodeID
description: The node ID of the comment.
type: String
- contextPath: GitHub.Comment.Body
description: The body content of the comment.
type: String
- contextPath: GitHub.Comment.User.Login
description: The login of the user who commented.
type: String
- contextPath: GitHub.Comment.User.ID
description: The ID of the user who commented.
type: Number
- contextPath: GitHub.Comment.User.NodeID
description: The node ID of the user who commented.
type: String
- contextPath: GitHub.Comment.User.Type
description: The type of the user who commented.
type: String
- contextPath: GitHub.Comment.User.SiteAdmin
description: Whether the user who commented is a site admin.
type: Boolean
- arguments:
- description: The number of the issue to list comments for.
name: issue_number
required: true
- description: 'Only show notifications updated after the given time. This is a timestamp in ISO 8601 format: YYYY-MM-DDTHH:MM:SSZ.'
name: since
description: Lists comments on an issue.
name: GitHub-list-issue-comments
outputs:
- contextPath: GitHub.Comment.IssueNumber
description: The number of the issue to which the comment belongs.
type: Number
- contextPath: GitHub.Comment.ID
description: The ID of the comment.
type: Number
- contextPath: GitHub.Comment.NodeID
description: The node ID of the comment.
type: String
- contextPath: GitHub.Comment.Body
description: The body content of the comment.
type: String
- contextPath: GitHub.Comment.User.Login
description: The login of the user who commented.
type: String
- contextPath: GitHub.Comment.User.ID
description: The ID of the user who commented.
type: Number
- contextPath: GitHub.Comment.User.NodeID
description: The node ID of the user who commented.
type: String
- contextPath: GitHub.Comment.User.Type
description: The type of the user who commented.
type: String
- contextPath: GitHub.Comment.User.SiteAdmin
description: Whether the user who commented is a site admin.
type: Boolean
- arguments:
- description: The number of the pull request.
name: pull_number
required: true
- description: The name of the organization.
name: organization
- description: The repository of the pull request.
name: repository
description: Lists the pull request files.
name: GitHub-list-pr-files
outputs:
- contextPath: GitHub.PR.Number
description: The number of the pull request.
type: Number
- contextPath: GitHub.PR.File.SHA
description: The SHA hash of the last commit involving the file.
type: String
- contextPath: GitHub.PR.File.Name
description: The name of the file.
type: String
- contextPath: GitHub.PR.File.Status
description: The status of the file.
type: String
- contextPath: GitHub.PR.File.Additions
description: The number of additions to the file.
type: Number
- contextPath: GitHub.PR.File.Deletions
description: The number of deletions in the file.
type: Number
- contextPath: GitHub.PR.File.Changes
description: The number of changes made in the file.
type: Number
- arguments:
- description: The number of the pull request.
name: pull_number
required: true
description: Lists reviews on a pull request.
name: GitHub-list-pr-reviews
outputs:
- contextPath: GitHub.PR.Number
description: The number of the pull request.
type: Number
- contextPath: GitHub.PR.Review.ID
description: The ID of the review.
type: Number
- contextPath: GitHub.PR.Review.NodeID
description: The node ID of the review.
type: String
- contextPath: GitHub.PR.Review.Body
description: The content of the review.
type: String
- contextPath: GitHub.PR.Review.CommitID
description: The ID of the commit the review is for.
type: String
- contextPath: GitHub.PR.Review.State
description: The state of the review.
type: String
- contextPath: GitHub.PR.Review.User.Login
description: The reviewer's user login.
type: String
- contextPath: GitHub.PR.Review.User.ID
description: The reviewer's user ID.
type: Number
- contextPath: GitHub.PR.Review.User.NodeID
description: The reviewer's user node ID.
type: String
- contextPath: GitHub.PR.Review.User.Type
description: The reviewer user type.
type: String
- contextPath: GitHub.PR.Review.User.SiteAdmin
description: Whether the reviewer is a site admin.
type: Boolean
- arguments:
- description: The SHA hash of the commit. Try executing the 'GitHub-get-branch' command to find a commit SHA hash to reference.
name: commit_sha
required: true
description: Gets a commit.
name: GitHub-get-commit
outputs:
- contextPath: GitHub.Commit.SHA
description: The SHA hash of the commit.
type: String
- contextPath: GitHub.Commit.Author.Date
description: The commit author date.
type: String
- contextPath: GitHub.Commit.Author.Name
description: The name of the author.
type: String
- contextPath: GitHub.Commit.Author.Email
description: The email of the author.
type: String
- contextPath: GitHub.Commit.Committer.Date
description: The date the committer committed.
type: String
- contextPath: GitHub.Commit.Committer.Name
description: The name of the committer.
type: String
- contextPath: GitHub.Commit.Committer.Email
description: The email of the committer.
type: String
- contextPath: GitHub.Commit.Message
description: The message associated with the commit.
type: String
- contextPath: GitHub.Commit.Parent
description: Lists of parent SHA hashes.
type: Unknown
- contextPath: GitHub.Commit.TreeSHA
description: The SHA hash of the commit's tree.
type: String
- contextPath: GitHub.Commit.Verification.Verified
description: Whether the commit was verified.
type: Boolean
- contextPath: GitHub.Commit.Verification.Reason
description: The reason why the commit was or was not verified.
type: String
- contextPath: GitHub.Commit.Verification.Signature
description: The commit verification signature.
type: Unknown
- contextPath: GitHub.Commit.Verification.Payload
description: The commit verification payload.
type: Unknown
- arguments:
- description: The number of the issue to add labels to.
name: issue_number
required: true
- description: A CSV list of labels to add to an issue.
isArray: true
name: labels
required: true
description: Adds labels to an issue.
name: GitHub-add-label
- arguments:
- description: The number of the pull request to retrieve.
name: pull_number
required: true
- description: The name of the organization.
name: organization
- description: The repository of the pull request.
name: repository
description: Gets a pull request.
name: GitHub-get-pull-request
outputs:
- contextPath: GitHub.PR.ID
description: The ID number of the pull request.
type: Number
- contextPath: GitHub.PR.NodeID
description: The node ID of the pull request.
type: String
- contextPath: GitHub.PR.Number
description: The issue number of the pull request.
type: Number
- contextPath: GitHub.PR.State
description: The state of the pull request.
type: String
- contextPath: GitHub.PR.Locked
description: Whether the pull request is locked.
type: Boolean
- contextPath: GitHub.PR.Title
description: The title of the pull request.
type: String
- contextPath: GitHub.PR.User.Login
description: The login of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.ID
description: The ID of the user who opened the pull request.
type: Number
- contextPath: GitHub.PR.User.NodeID
description: The node ID of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.Type
description: The type of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.SiteAdmin
description: Whether the user who opened the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.Body
description: The body content of the pull request.
type: String
- contextPath: GitHub.PR.Label.ID
description: The ID of the label.
type: Number
- contextPath: GitHub.PR.Label.NodeID
description: The node ID of the label.
type: String
- contextPath: GitHub.PR.Label.Name
description: The name of the label.
type: String
- contextPath: GitHub.PR.Label.Description
description: The description of the label.
type: String
- contextPath: GitHub.PR.Label.Color
description: The hex color value of the label.
type: String
- contextPath: GitHub.PR.Label.Default
description: Whether the label is a default.
type: Boolean
- contextPath: GitHub.PR.Milestone.ID
description: The ID of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.NodeID
description: The node ID of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Number
description: The number of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.State
description: The state of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Title
description: The title of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Description
description: The description of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Login
description: The login of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.ID
description: The ID the milestone creator.
type: Number
- contextPath: GitHub.PR.Milestone.Creator.NodeID
description: The node ID of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Type
description: The type of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.SiteAdmin
description: Whether the milestone creator is a site admin.
type: Boolean
- contextPath: GitHub.PR.Milestone.OpenIssues
description: The number of open issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.ClosedIssues
description: The number of closed issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.CreatedAt
description: The date the milestone was created.
type: String
- contextPath: GitHub.PR.Milestone.UpdatedAt
description: The date the milestone was updated.
type: String
- contextPath: GitHub.PR.Milestone.ClosedAt
description: The date the milestone was closed.
type: String
- contextPath: GitHub.PR.Milestone.DueOn
description: The due date for the milestone.
type: String
- contextPath: GitHub.PR.ActiveLockReason
description: The reason the pull request is locked.
type: String
- contextPath: GitHub.PR.CreatedAt
description: The date the pull request was created.
type: String
- contextPath: GitHub.PR.UpdatedAt
description: The date the pull request was updated.
type: String
- contextPath: GitHub.PR.ClosedAt
description: The date the pull request was closed.
type: String
- contextPath: GitHub.PR.MergedAt
description: The date the pull request was merged.
type: String
- contextPath: GitHub.PR.MergeCommitSHA
description: The SHA hash of the pull request's merge commit.
type: String
- contextPath: GitHub.PR.Assignee.Login
description: The login of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.ID
description: The ID of the user assigned to the pull request.
type: Number
- contextPath: GitHub.PR.Assignee.NodeID
description: The node ID of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.Type
description: The type of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.SiteAdmin
description: Whether the user assigned to the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.RequestedReviewer.Login
description: The login of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.ID
description: The ID of the user requested for review.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.NodeID
description: The node ID of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.Type
description: The type of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.SiteAdmin
description: Whether the user requested for review is a site admin.
type: Boolean
- contextPath: GitHub.PR.RequestedTeam.ID
description: The ID of the team requested for review.
type: Number
- contextPath: GitHub.PR.RequestedTeam.NodeID
description: The node ID of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Name
description: The name of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Slug
description: The slug of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Description
description: The description of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Privacy
description: The privacy setting of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Permission
description: The permissions of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Parent
description: The parent of the team requested for review.
type: Unknown
- contextPath: GitHub.PR.Head.Label
description: The label of the branch that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.Ref
description: The reference of the branch that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.SHA
description: The SHA hash of the commit that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.User.Login
description: The login of the committer of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.ID
description: The ID of the committer of the HEAD commit of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.User.NodeID
description: The node ID of the committer of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.Type
description: The type of the committer of the HEAD commit of the checked out. branch.
type: String
- contextPath: GitHub.PR.Head.User.SiteAdmin
description: Whether the committer of the HEAD commit of the checked out branch is a site admin.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.ID
description: The ID of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.NodeID
description: The node ID of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Name
description: The name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.FullName
description: The full name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Login
description: The user login of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.ID
description: The user ID of the owner of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Owner.NodeID
description: The user node ID of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Type
description: The user type of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.SiteAdmin
description: Whether the owner of the repository of the checked out branch is a site admin.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Private
description: Whether the repository of the checked out branch is private or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Description
description: The description of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Fork
description: Whether the repository of the checked out branch is a fork.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Language
description: The language of the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.ForksCount
description: The number of forks of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.StargazersCount
description: The number of stars of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.WatchersCount
description: The number of entities watching the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Size
description: The size of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.DefaultBranch
description: The default branch of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.OpenIssuesCount
description: The open issues of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Topics
description: The topics listed for the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.HasIssues
description: Whether the repository of the checked out branch has issues or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasProjects
description: Whether the repository of the checked out branch has projects or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasWiki
description: Whether the repository of the checked out branch has a wiki or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasPages
description: Whether the repository of the checked out branch has pages.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasDownloads
description: Whether the repository of the checked out branch has downloads .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Archived
description: Whether the repository of the checked out branch has been arvhived .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Disabled
description: Whether the repository of the checked out branch has been disabled .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.PushedAt
description: The date of the latest push to the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.CreatedAt
description: The date of creation of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.UpdatedAt
description: The date the repository of the checked out branch was last updated.
type: String
- contextPath: GitHub.PR.Head.Repo.AllowRebaseMerge
description: Whether the repository of the checked out branch permits rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowSquashMerge
description: Whether the repository of the checked out branch permits squash merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowMergeCommit
description: Whether the repository of the checked out branch permits merge commits.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.SubscribersCount
description: The number of entities subscribing to the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Base.Label
description: The label of the base branch.
type: String
- contextPath: GitHub.PR.Base.Ref
description: The reference of the base branch.
type: String
- contextPath: GitHub.PR.Base.SHA
description: The SHA hash of the base branch.
type: String
- contextPath: GitHub.PR.Base.User.Login
description: The login of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.ID
description: The ID of the committer of the commit that the base branch points to.
type: Number
- contextPath: GitHub.PR.Base.User.NodeID
description: The node ID of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.Type
description: The user type of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.SiteAdmin
description: Whether the committer of the commit that the base branch points to is a site admin.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.ID
description: The ID of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.NodeID
description: The node ID of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Name
description: The name of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.FullName
description: The full name of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Login
description: The user login of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.ID
description: The user ID of the owner of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Owner.NodeID
description: The user node ID of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Type
description: The user type of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.SiteAdmin
description: Whether the owner of the repository that the base branch belongs to is a site admin.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Private
description: Whether the repository that the base branch belongs to is private .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Description
description: The description of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Fork
description: Whether the repository that the base branch belongs to is a fork .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Language
description: The language of the repository that the base branch belongs to.
type: Unknown
- contextPath: GitHub.PR.Base.Repo.ForksCount
description: The number of times that the repository that the base branch belongs to has been forked.
type: Number
- contextPath: GitHub.PR.Base.Repo.StargazersCount
description: The number of times that the repository that the base branch belongs to has been starred.
type: Number
- contextPath: GitHub.PR.Base.Repo.WatchersCount
description: The number of entities watching the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Size
description: The size of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.DefaultBranch
description: The default branch of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.OpenIssuesCount
description: The number of open issues in the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Topics
description: The topics listed for the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.HasIssues
description: Whether the repository that the base branch belongs to has issues .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasProjects
description: Whether the repository that the base branch belongs to has projects .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasWiki
description: Whether the repository that the base branch belongs to has a wiki .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasPages
description: Whether the repository that the base branch belongs to has pages .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasDownloads
description: Whether the repository that the base branch belongs to has downloads .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Archived
description: Whether the repository that the base branch belongs to is archived .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Disabled
description: Whether the repository that the base branch belongs to is disabled .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.PushedAt
description: The date that the repository that the base branch belongs to was last pushed to.
type: String
- contextPath: GitHub.PR.Base.Repo.CreatedAt
description: The date of creation of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.UpdatedAt
description: The date that the repository that the base branch belongs to was last updated.
type: String
- contextPath: GitHub.PR.Base.Repo.AllowRebaseMerge
description: Whether the repository that the base branch belongs to allows rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowSquashMerge
description: Whether the repository that the base branch belongs to allows squash merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowMergeCommit
description: Whether the repository that the base branch belongs to allows merge commits.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.SubscribersCount
description: The number of entities that subscribe to the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.AuthorAssociation
description: The pull request author association.
type: String
- contextPath: GitHub.PR.Draft
description: Whether the pull request is a draft.
type: Boolean
- contextPath: GitHub.PR.Merged
description: Whether the pull request is merged.
type: Boolean
- contextPath: GitHub.PR.Mergeable
description: Whether the pull request is mergeable.
type: Boolean
- contextPath: GitHub.PR.Rebaseable
description: Whether the pull request is rebaseable.
type: Boolean
- contextPath: GitHub.PR.MergeableState
description: The mergeable state of the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Login
description: The login of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.ID
description: The ID of the user who merged the pull request.
type: Number
- contextPath: GitHub.PR.MergedBy.NodeID
description: The node ID of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Type
description: The type of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.SiteAdmin
description: Whether the user who merged the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.Comments
description: The number of comments on the pull request.
type: Number
- contextPath: GitHub.PR.ReviewComments
description: The number of review comments on the pull request.
type: Number
- contextPath: GitHub.PR.MaintainerCanModify
description: Whether the maintainer can modify the pull request.
type: Boolean
- contextPath: GitHub.PR.Commits
description: The number of commits in the pull request.
type: Number
- contextPath: GitHub.PR.Additions
description: The number of additions in the pull request.
type: Number
- contextPath: GitHub.PR.Deletions
description: The number of deletions in the pull request.
type: Number
- contextPath: GitHub.PR.ChangedFiles
description: The number of changed files in the pull request.
type: Number
- arguments:
- description: The name of the organization.
name: organization
required: true
description: Lists the teams for an organization. Note that this API call is only available to authenticated members of the organization.
name: GitHub-list-teams
outputs:
- contextPath: GitHub.Team.ID
description: The ID of the team.
type: Number
- contextPath: GitHub.Team.NodeID
description: The node ID of the team.
type: String
- contextPath: GitHub.Team.Name
description: The name of the team.
type: String
- contextPath: GitHub.Team.Slug
description: The slug of the team.
type: String
- contextPath: GitHub.Team.Description
description: The description of the team.
type: String
- contextPath: GitHub.Team.Privacy
description: The privacy setting of the team.
type: String
- contextPath: GitHub.Team.Permission
description: The permissions of the team.
type: String
- contextPath: GitHub.Team.Parent
description: The parent of the team.
type: Unknown
- arguments:
- description: The name of the branch to delete.
name: branch_name
required: true
description: Deletes a branch.
name: GitHub-delete-branch
- arguments:
- description: The issue number of the pull request.
name: pull_number
required: true
description: Lists all the review comments for a pull request.
name: GitHub-list-pr-review-comments
outputs:
- contextPath: GitHub.PR.Number
description: The issue number of the pull request.
type: Number
- contextPath: GitHub.PR.ReviewComment.ID
description: The ID number of the pull request review comment.
type: Number
- contextPath: GitHub.PR.ReviewComment.NodeID
description: The Node ID of the pull request review comment.
type: String
- contextPath: GitHub.PR.ReviewComment.PullRequestReviewID
description: The ID of the pull request review.
type: Number
- contextPath: GitHub.PR.ReviewComment.DiffHunk
description: The diff hunk the review comment applies to.
type: String
- contextPath: GitHub.PR.ReviewComment.Path
description: The file path of the proposed file changes the review comment applies to.
type: String
- contextPath: GitHub.PR.ReviewComment.Position
description: The position of the change the review comment applies to.
type: Number
- contextPath: GitHub.PR.ReviewComment.OriginalPosition
description: The original position of the change the review comment applies to.
type: Number
- contextPath: GitHub.PR.ReviewComment.CommitID
description: The commit ID of the proposed change.
type: String
- contextPath: GitHub.PR.ReviewComment.OriginalCommitID
description: The commit ID of the commit before the proposed change.
type: String
- contextPath: GitHub.PR.ReviewComment.InReplyToID
description: The reply ID of the comment the review comment applies to.
type: Number
- contextPath: GitHub.PR.ReviewComment.User.Login
description: The login of the user who created the review comment.
type: String
- contextPath: GitHub.PR.ReviewComment.User.ID
description: The ID of the user who created the review comment.
type: Number
- contextPath: GitHub.PR.ReviewComment.User.NodeID
description: The Node ID of the user who created the review comment.
type: String
- contextPath: GitHub.PR.ReviewComment.User.Type
description: The type of the user who created the review comment.
type: String
- contextPath: GitHub.PR.ReviewComment.User.SiteAdmin
description: Whether the user who created the review comment is a site administrator.
type: Boolean
- contextPath: GitHub.PR.ReviewComment.Body
description: The body content of the review comment.
type: String
- contextPath: GitHub.PR.ReviewComment.CreatedAt
description: The time the review comment was created.
type: String
- contextPath: GitHub.PR.ReviewComment.UpdatedAt
description: The time the review comment was updated.
type: String
- contextPath: GitHub.PR.ReviewComment.AuthorAssociation
description: The association of the user who created the review comment.
type: String
- arguments:
- description: The new title of the pull request.
name: title
- description: The new body content of the pull request.
name: body
- auto: PREDEFINED
description: The new state of the pull request. Can be "open", or "closed".
name: state
predefined:
- open
- closed
- description: The name of the branch to pull your changes from. It must be an existing branch in the current repository. You cannot update the base branch in a pull request to point to another repository.
name: base
- auto: PREDEFINED
description: Indicates whether maintainers can modify the pull request.
name: maintainer_can_modify
predefined:
- 'true'
- 'false'
- description: The issue number of the pull request to modify.
name: pull_number
required: true
description: Updates a pull request in a repository.
name: GitHub-update-pull-request
outputs:
- contextPath: GitHub.PR.ID
description: The ID number of the pull request.
type: Number
- contextPath: GitHub.PR.NodeID
description: The Node ID of the pull request.
type: String
- contextPath: GitHub.PR.Number
description: The issue number of the pull request.
type: Number
- contextPath: GitHub.PR.State
description: The state of the pull request.
type: String
- contextPath: GitHub.PR.Locked
description: Whether the pull request is locked.
type: Boolean
- contextPath: GitHub.PR.Title
description: The title of the pull request.
type: String
- contextPath: GitHub.PR.User.Login
description: The login of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.ID
description: The ID of the user who opened the pull request.
type: Number
- contextPath: GitHub.PR.User.NodeID
description: The Node ID of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.Type
description: The type of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.SiteAdmin
description: Whether the user who opened the pull request is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Body
description: The body content of the pull request.
type: String
- contextPath: GitHub.PR.Label.ID
description: The ID of the label.
type: Number
- contextPath: GitHub.PR.Label.NodeID
description: The Node ID of the label.
type: String
- contextPath: GitHub.PR.Label.Name
description: The name of the label.
type: String
- contextPath: GitHub.PR.Label.Description
description: The description of the label.
type: String
- contextPath: GitHub.PR.Label.Color
description: The hex color value of the label.
type: String
- contextPath: GitHub.PR.Label.Default
description: Whether the label is a default.
type: Boolean
- contextPath: GitHub.PR.Milestone.ID
description: The ID of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.NodeID
description: The Node ID of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Number
description: The number of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.State
description: The state of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Title
description: The title of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Description
description: The description of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Login
description: The login of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.ID
description: The ID the milestone creator.
type: Number
- contextPath: GitHub.PR.Milestone.Creator.NodeID
description: The Node ID of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Type
description: The type of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.SiteAdmin
description: Whether the milestone creator is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Milestone.OpenIssues
description: The number of open issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.ClosedIssues
description: The number of closed issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.CreatedAt
description: The date the milestone was created.
type: String
- contextPath: GitHub.PR.Milestone.UpdatedAt
description: The date the milestone was updated.
type: String
- contextPath: GitHub.PR.Milestone.ClosedAt
description: The date the milestone was closed.
type: String
- contextPath: GitHub.PR.Milestone.DueOn
description: The due date for the milestone.
type: String
- contextPath: GitHub.PR.ActiveLockReason
description: The reason the pull request is locked.
type: String
- contextPath: GitHub.PR.CreatedAt
description: The date the pull request was created.
type: String
- contextPath: GitHub.PR.UpdatedAt
description: The date the pull request was updated.
type: String
- contextPath: GitHub.PR.ClosedAt
description: The date the pull request was closed.
type: String
- contextPath: GitHub.PR.MergedAt
description: The date the pull request was merged.
type: String
- contextPath: GitHub.PR.MergeCommitSHA
description: The SHA hash of the pull request's merge commit.
type: String
- contextPath: GitHub.PR.Assignee.Login
description: The login of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.ID
description: The ID of the user assigned to the pull request.
type: Number
- contextPath: GitHub.PR.Assignee.NodeID
description: The Node ID of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.Type
description: The type of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.SiteAdmin
description: Whether the user assigned to the pull request is a site administrator. not.
type: Boolean
- contextPath: GitHub.PR.RequestedReviewer.Login
description: The login of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.ID
description: The ID of the user requested for review.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.NodeID
description: The Node ID of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.Type
description: The type of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.SiteAdmin
description: Whether the user requested for review is a site administrator.
type: Boolean
- contextPath: GitHub.PR.RequestedTeam.ID
description: The ID of the team requested for review.
type: Number
- contextPath: GitHub.PR.RequestedTeam.NodeID
description: The Node ID of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Name
description: The name of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Slug
description: The slug of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Description
description: The description of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Privacy
description: The privacy setting of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Permission
description: The permissions of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Parent
description: The parent of the team requested for review.
type: Unknown
- contextPath: GitHub.PR.Head.Label
description: The label of the branch the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.Ref
description: The reference of the branch the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.SHA
description: The SHA hash of the commit the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.User.Login
description: The committer login of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.ID
description: The committer ID of the HEAD commit of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.User.NodeID
description: The Node committer ID of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.Type
description: The committer type of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.SiteAdmin
description: Whether the committer of the HEAD commit of the checked out branch is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.ID
description: The ID of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.NodeID
description: The Node ID of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Name
description: The name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.FullName
description: The full name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Login
description: The user login of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.ID
description: The user ID of the owner of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Owner.NodeID
description: The user node ID of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Type
description: The user type of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.SiteAdmin
description: Whether the owner of the repository of the checked out branch is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Private
description: Whether the repository of the checked out branch is private.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Description
description: The description of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Fork
description: Whether the repository of the checked out branch is a fork.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Language
description: The language of the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.ForksCount
description: The number of forks of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.StargazersCount
description: The number of stars of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.WatchersCount
description: The number of entities watching the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Size
description: The size of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.DefaultBranch
description: The default branch of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.OpenIssuesCount
description: The open issues of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Topics
description: The topics listed for the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.HasIssues
description: Whether the repository of the checked out branch has issues.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasProjects
description: Whether the repository of the checked out branch has projects.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasWiki
description: Whether the repository of the checked out branch has a wiki.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasPages
description: Whether the repository of the checked out branch has pages.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasDownloads
description: Whether the repository of the checked out branch has downloads.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Archived
description: Whether the repository of the checked out branch has been archived.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Disabled
description: Whether the repository of the checked out branch has been disabled.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.PushedAt
description: The date of the latest push to the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.CreatedAt
description: The date of creation of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.UpdatedAt
description: The date the repository of the checked out branch was last updated.
type: String
- contextPath: GitHub.PR.Head.Repo.AllowRebaseMerge
description: Whether the repository of the checked out branch permits rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowSquashMerge
description: Whether the repository of the checked out branch permits squash merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowMergeCommit
description: Whether the repository of the checked out branch permits merge commits.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.SubscribersCount
description: The number of entities subscribing to the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Base.Label
description: The label of the base branch.
type: String
- contextPath: GitHub.PR.Base.Ref
description: The reference of the base branch.
type: String
- contextPath: GitHub.PR.Base.SHA
description: The SHA hash of the base branch.
type: String
- contextPath: GitHub.PR.Base.User.Login
description: The committer login of the commit the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.ID
description: The ID of the committer of the commit the base branch points to.
type: Number
- contextPath: GitHub.PR.Base.User.NodeID
description: The committer Node ID of the commit the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.Type
description: The user committer type of the commit the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.SiteAdmin
description: Whether the committer of the commit the base branch points to is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.ID
description: The ID of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.NodeID
description: The Node ID of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Name
description: The name of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.FullName
description: The full name of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Login
description: The user login of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.ID
description: The user ID of the owner of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Owner.NodeID
description: The user node ID of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Type
description: The user type of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.SiteAdmin
description: Whether the owner of the repository the base branch belongs to is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Private
description: Whether the repository the base branch belongs to is private.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Description
description: The description of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Fork
description: Whether the repository the base branch belongs to is a fork.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Language
description: The language of the repository the base branch belongs to.
type: Unknown
- contextPath: GitHub.PR.Base.Repo.ForksCount
description: The number of times that the repository the base branch belongs to has been forked.
type: Number
- contextPath: GitHub.PR.Base.Repo.StargazersCount
description: The number of times that the repository the base branch belongs to has been starred.
type: Number
- contextPath: GitHub.PR.Base.Repo.WatchersCount
description: The number of entities watching the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Size
description: The size of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.DefaultBranch
description: The default branch of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.OpenIssuesCount
description: The number of open issues in the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Topics
description: The topics listed for the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.HasIssues
description: Whether the repository the base branch belongs to has issues.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasProjects
description: Whether the repository the base branch belongs to has projects.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasWiki
description: Whether the repository the base branch belongs to has a wiki.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasPages
description: Whether the repository the base branch belongs to has pages.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasDownloads
description: Whether the repository the base branch belongs to has downloads.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Archived
description: Whether the repository the base branch belongs to is archived.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Disabled
description: Whether the repository the base branch belongs to is disabled.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.PushedAt
description: The date that the repository the base branch belongs to was last pushed.
type: String
- contextPath: GitHub.PR.Base.Repo.CreatedAt
description: The date of creation of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.UpdatedAt
description: The date that the repository the base branch belongs to was last updated.
type: String
- contextPath: GitHub.PR.Base.Repo.AllowRebaseMerge
description: Whether the repository the base branch belongs to allows rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowSquashMerge
description: Whether the repository the base branch belongs to allows squash merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowMergeCommit
description: Whether the repository the base branch belongs to allows merge commits.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.SubscribersCount
description: The number of entities subscribe to the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.AuthorAssociation
description: The pull request author association.
type: String
- contextPath: GitHub.PR.Draft
description: Whether the pull request is a draft.
type: Boolean
- contextPath: GitHub.PR.Merged
description: Whether the pull request is merged.
type: Boolean
- contextPath: GitHub.PR.Mergeable
description: Whether the pull request is mergeable.
type: Boolean
- contextPath: GitHub.PR.Rebaseable
description: Whether the pull request is rebaseable.
type: Boolean
- contextPath: GitHub.PR.MergeableState
description: The mergeable state of the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Login
description: The login of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.ID
description: The ID of the user who merged the pull request.
type: Number
- contextPath: GitHub.PR.MergedBy.NodeID
description: The Node ID of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Type
description: The type of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.SiteAdmin
description: Whether the user who merged the pull request is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Comments
description: The number of comments on the pull request.
type: Number
- contextPath: GitHub.PR.ReviewComments
description: The number of review comments on the pull request.
type: Number
- contextPath: GitHub.PR.MaintainerCanModify
description: Whether the maintainer can modify the pull request.
type: Boolean
- contextPath: GitHub.PR.Commits
description: The number of commits in the pull request.
type: Number
- contextPath: GitHub.PR.Additions
description: The number of additions in the pull request.
type: Number
- contextPath: GitHub.PR.Deletions
description: The number of deletions in the pull request.
type: Number
- contextPath: GitHub.PR.ChangedFiles
description: The number of changed files in the pull request.
type: Number
- arguments:
- description: The issue number of the pull request to check.
name: pull_number
required: true
description: 'Returns a merged pull request. If the pull request has been merged, the API returns ''Status: 204 No Content''. If the pull request has not been merged the API returns ''Status: 404 Not Found''.'
name: GitHub-is-pr-merged
- arguments:
- description: The title of the pull request.
name: title
required: true
- description: The name of the branch where the changes are made.
name: head
required: true
- description: The name of the branch you want the changes pulled into, which must be an existing branch on the current repository.
name: base
required: true
- description: The contents of the pull request.
name: body
- auto: PREDEFINED
description: Indicates whether maintainers can modify the pull request.
name: maintainer_can_modify
predefined:
- 'true'
- 'false'
- auto: PREDEFINED
description: Indicates whether the pull request is a draft. For more information, see path_to_url#draft-pull-requests.
name: draft
predefined:
- 'true'
- 'false'
description: Creates a new pull request.
name: GitHub-create-pull-request
outputs:
- contextPath: GitHub.PR.ID
description: The ID number of the pull request.
type: Number
- contextPath: GitHub.PR.NodeID
description: The Node ID of the pull request.
type: String
- contextPath: GitHub.PR.Number
description: The issue number of the pull request.
type: Number
- contextPath: GitHub.PR.State
description: The state of the pull request.
type: String
- contextPath: GitHub.PR.Locked
description: Whether the pull request is locked.
type: Boolean
- contextPath: GitHub.PR.Title
description: The title of the pull request.
type: String
- contextPath: GitHub.PR.User.Login
description: The login of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.ID
description: The ID of the user who opened the pull request.
type: Number
- contextPath: GitHub.PR.User.NodeID
description: The Node ID of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.Type
description: The user type who opened the pull request.
type: String
- contextPath: GitHub.PR.User.SiteAdmin
description: Whether the user who opened the pull request is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Body
description: The body content of the pull request.
type: String
- contextPath: GitHub.PR.Label.ID
description: The ID of the label.
type: Number
- contextPath: GitHub.PR.Label.NodeID
description: The Node ID of the label.
type: String
- contextPath: GitHub.PR.Label.Name
description: The name of the label.
type: String
- contextPath: GitHub.PR.Label.Description
description: The description of the label.
type: String
- contextPath: GitHub.PR.Label.Color
description: The hex color value of the label.
type: String
- contextPath: GitHub.PR.Label.Default
description: Whether the label is a default.
type: Boolean
- contextPath: GitHub.PR.Milestone.ID
description: The ID of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.NodeID
description: The Node ID of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Number
description: The number of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.State
description: The state of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Title
description: The title of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Description
description: The description of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Login
description: The login of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.ID
description: The ID the milestone creator.
type: Number
- contextPath: GitHub.PR.Milestone.Creator.NodeID
description: The Node ID of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Type
description: The type of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.SiteAdmin
description: Whether the milestone creator is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Milestone.OpenIssues
description: The number of open issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.ClosedIssues
description: The number of closed issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.CreatedAt
description: The date the milestone was created.
type: String
- contextPath: GitHub.PR.Milestone.UpdatedAt
description: The date the milestone was updated.
type: String
- contextPath: GitHub.PR.Milestone.ClosedAt
description: The date the milestone was closed.
type: String
- contextPath: GitHub.PR.Milestone.DueOn
description: The due date for the milestone.
type: String
- contextPath: GitHub.PR.ActiveLockReason
description: The reason the pull request is locked.
type: String
- contextPath: GitHub.PR.CreatedAt
description: The date the pull request was created.
type: String
- contextPath: GitHub.PR.UpdatedAt
description: The date the pull request was updated.
type: String
- contextPath: GitHub.PR.ClosedAt
description: The date the pull request was closed.
type: String
- contextPath: GitHub.PR.MergedAt
description: The date the pull request was merged.
type: String
- contextPath: GitHub.PR.MergeCommitSHA
description: The SHA hash of the pull request's merge commit.
type: String
- contextPath: GitHub.PR.Assignee.Login
description: The login of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.ID
description: The ID of the user assigned to the pull request.
type: Number
- contextPath: GitHub.PR.Assignee.NodeID
description: The Node ID of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.Type
description: The type of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.SiteAdmin
description: Whether the user assigned to the pull request is a site administrator.
type: Boolean
- contextPath: GitHub.PR.RequestedReviewer.Login
description: The login of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.ID
description: The ID of the user requested for review.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.NodeID
description: The Node ID of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.Type
description: The type of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.SiteAdmin
description: Whether the user requested for review is a site administrator.
type: Boolean
- contextPath: GitHub.PR.RequestedTeam.ID
description: The ID of the team requested for review.
type: Number
- contextPath: GitHub.PR.RequestedTeam.NodeID
description: The Node ID of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Name
description: The name of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Slug
description: The slug of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Description
description: The description of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Privacy
description: The privacy setting of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Permission
description: The permissions of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Parent
description: The parent of the team requested for review.
type: Unknown
- contextPath: GitHub.PR.Head.Label
description: The label of the branch the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.Ref
description: The reference of the branch the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.SHA
description: The SHA hash of the commit the HEAD points to.
type: String
- contextPath: GitHub.PR.Head.User.Login
description: The committer login of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.ID
description: The committer ID of the HEAD commit of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.User.NodeID
description: The Node ID of the committer of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.Type
description: The committer type of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.SiteAdmin
description: Whether the committer of the HEAD commit of the checked out branch is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.ID
description: The ID of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.NodeID
description: The Node ID of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Name
description: The name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.FullName
description: The full name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Login
description: The user login of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.ID
description: The user ID of the owner of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Owner.NodeID
description: The user Node ID of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Type
description: The user type of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.SiteAdmin
description: Whether the owner of the repository of the checked out branch is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Private
description: Whether the repository of the checked out branch is private.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Description
description: The description of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Fork
description: Whether the repository of the checked out branch is a fork.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Language
description: The language of the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.ForksCount
description: The number of forks of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.StargazersCount
description: The number of stars of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.WatchersCount
description: The number of entities watching the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Size
description: The size of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.DefaultBranch
description: The default branch of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.OpenIssuesCount
description: The open issues of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Topics
description: The topics listed for the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.HasIssues
description: Whether the repository of the checked out branch has issues.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasProjects
description: Whether the repository of the checked out branch has projects.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasWiki
description: Whether the repository of the checked out branch has a wiki.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasPages
description: Whether the repository of the checked out branch has pages.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasDownloads
description: Whether the repository of the checked out branch has downloads.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Archived
description: Whether the repository of the checked out branch has been archived.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Disabled
description: Whether the repository of the checked out branch has been disabled.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.PushedAt
description: The date of the latest push to the repository of the checked out.
type: String
- contextPath: GitHub.PR.Head.Repo.CreatedAt
description: The date of creation of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.UpdatedAt
description: The date the repository of the checked out branch was last updated.
type: String
- contextPath: GitHub.PR.Head.Repo.AllowRebaseMerge
description: Whether the repository of the checked out branch permits rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowSquashMerge
description: Whether the repository of the checked out branch permits squash merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowMergeCommit
description: Whether the repository of the checked out branch permits merge commits.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.SubscribersCount
description: The number of entities subscribing to the repository of the checked out.
type: Number
- contextPath: GitHub.PR.Base.Label
description: The label of the base branch.
type: String
- contextPath: GitHub.PR.Base.Ref
description: The reference of the base branch.
type: String
- contextPath: GitHub.PR.Base.SHA
description: The SHA hash of the base branch.
type: String
- contextPath: GitHub.PR.Base.User.Login
description: The committer login of the commit the base branch points.
type: String
- contextPath: GitHub.PR.Base.User.ID
description: The ID of the committer of the commit the base branch points to.
type: Number
- contextPath: GitHub.PR.Base.User.NodeID
description: The committer Node ID of the commit the base branch points.
type: String
- contextPath: GitHub.PR.Base.User.Type
description: The user type of the committer the commit base branch points.
type: String
- contextPath: GitHub.PR.Base.User.SiteAdmin
description: Whether the committer of the commit the base branch points to is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.ID
description: The ID of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.NodeID
description: The Node ID of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Name
description: The name of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.FullName
description: The full name of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Login
description: The user login of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.ID
description: The user ID of the owner of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Owner.NodeID
description: The user node ID of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Type
description: The user type of the owner of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.SiteAdmin
description: Whether the owner of the repository that the base branch belongs to is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Private
description: Whether the repository the base branch belongs to is private.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Description
description: The description of the repository the base branch belong to.
type: String
- contextPath: GitHub.PR.Base.Repo.Fork
description: Whether the repository that the base branch belongs to is a fork.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Language
description: The language of the repository the base branch belongs to.
type: Unknown
- contextPath: GitHub.PR.Base.Repo.ForksCount
description: The number of times that the repository the base branch belongs to has been forked.
type: Number
- contextPath: GitHub.PR.Base.Repo.StargazersCount
description: The number of times that the repository that the base branch belongs to has been starred.
type: Number
- contextPath: GitHub.PR.Base.Repo.WatchersCount
description: The number of entities watching the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Size
description: The size of the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.DefaultBranch
description: The default branch of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.OpenIssuesCount
description: The number of open issues in the repository the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Topics
description: The topics listed for the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.HasIssues
description: Whether the repository the base branch belongs to has issues.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasProjects
description: Whether the repository the base branch belongs to has projects.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasWiki
description: Whether the repository the base branch belongs to has a wiki.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasPages
description: Whether the repository the base branch belongs to has pages.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasDownloads
description: Whether the repository the base branch belongs to has downloads.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Archived
description: Whether the repository the base branch belongs to is archived.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Disabled
description: Whether the repository the base branch belongs to is disabled.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.PushedAt
description: The date that the repository the base branch belongs to was last pushed.
type: String
- contextPath: GitHub.PR.Base.Repo.CreatedAt
description: The date of creation of the repository the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.UpdatedAt
description: The date that the repository the base branch belongs to was last updated.
type: String
- contextPath: GitHub.PR.Base.Repo.AllowRebaseMerge
description: Whether the repository the base branch belongs to allows rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowSquashMerge
description: Whether the repository the base branch belongs to allows squash merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowMergeCommit
description: Whether the repository the base branch belongs to allows merge commits.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.SubscribersCount
description: The number of entities that subscribe to the repository for which the base branch belongs to.
type: Number
- contextPath: GitHub.PR.AuthorAssociation
description: The pull request author association.
type: String
- contextPath: GitHub.PR.Draft
description: Whether the pull request is a draft.
type: Boolean
- contextPath: GitHub.PR.Merged
description: Whether the pull request is merged.
type: Boolean
- contextPath: GitHub.PR.Mergeable
description: Whether the pull request is mergeable.
type: Boolean
- contextPath: GitHub.PR.Rebaseable
description: Whether the pull request is rebaseable.
type: Boolean
- contextPath: GitHub.PR.MergeableState
description: The mergeable state of the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Login
description: The login of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.ID
description: The ID of the user who merged the pull request.
type: Number
- contextPath: GitHub.PR.MergedBy.NodeID
description: The Node ID of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Type
description: The user type who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.SiteAdmin
description: Whether the user who merged the pull request is a site administrator.
type: Boolean
- contextPath: GitHub.PR.Comments
description: The number of comments on the pull request.
type: Number
- contextPath: GitHub.PR.ReviewComments
description: The number of review comments on the pull request.
type: Number
- contextPath: GitHub.PR.MaintainerCanModify
description: Whether the maintainer can modify the pull request.
type: Boolean
- contextPath: GitHub.PR.Commits
description: The number of commits in the pull request.
type: Number
- contextPath: GitHub.PR.Additions
description: The number of additions in the pull request.
type: Number
- contextPath: GitHub.PR.Deletions
description: The number of deletions in the pull request.
type: Number
- contextPath: GitHub.PR.ChangedFiles
description: The number of changed files in the pull request.
type: Number
- arguments:
- description: The repository owner.
name: owner
required: true
description: Gets the usage details of GitHub action workflows of private repositories by repository owner.
name: Github-get-github-actions-usage
outputs:
- contextPath: GitHub.ActionsUsage.RepositoryName
description: The name of the private repository.
type: String
- contextPath: GitHub.ActionsUsage.WorkflowID
description: The workflow ID of the GitHub action.
type: Number
- contextPath: GitHub.ActionsUsage.WorkflowName
description: The display name of the GitHub action workflow.
type: String
- contextPath: GitHub.ActionsUsage.WorkflowUsage
description: The GitHub action workflow usage on different OS.
type: Unknown
- arguments:
- description: Organization or Owner.
name: owner
required: true
- description: Git Repository Name.
name: repository
required: true
- description: Check Run ID.
name: run_id
- description: Head Commit ID.
name: commit_id
description: Gets a check run details.
name: Github-get-check-run
outputs:
- contextPath: GitHub.CheckRuns.CheckRunConclusion
description: Check Run Conculsion.
type: String
- contextPath: GitHub.CheckRuns.CheckRunAppName
description: Check Run App Name.
type: String
- contextPath: GitHub.CheckRuns.CheckExternalID
description: Check Run External ID.
type: String
- contextPath: GitHub.CheckRuns.CheckRunName
description: Check Run Name.
type: String
- contextPath: GitHub.CheckRuns.CheckRunStatus
description: Check Run Status.
type: String
- contextPath: GitHub.CheckRuns.CheckRunID
description: Check Run ID.
type: String
- arguments:
- default: true
description: The path of the file.
name: file_path
required: true
- description: The branch name to get the file from.
name: branch_name
- defaultValue: raw
description: 'The media type in which the file contents will be fetched. Possible values are: "raw" and "html". Default value is "raw".'
name: media_type
predefined:
- raw
- html
- defaultValue: 'false'
description: 'Whether to create a file entry in the War Room with the file contents. Possible values are: "true" and "false". Default value is "false".'
name: create_file_from_content
predefined:
- 'true'
- 'false'
- description: The name of the organization.
name: organization
- description: The name of the repository.
name: repository
description: Gets the content of a file from GitHub.
name: GitHub-get-file-content
outputs:
- contextPath: GitHub.FileContent.Path
description: The path of the file.
type: String
- contextPath: GitHub.FileContent.Content
description: The content of the file.
type: Number
- contextPath: GitHub.FileContent.MediaType
description: The media type in which the file was fetched.
type: String
- contextPath: GitHub.FileContent.Branch
description: The branch from which the file was fetched.
type: Unknown
- arguments:
- description: The path in the branch to get the files from.
name: path
- description: The name of the organization.
name: organization
- description: The name of the repository.
name: repository
- description: The branch name from which to get the files.
name: branch
description: Gets list of files from the given path in the repository.
name: Github-list-files
outputs:
- contextPath: GitHub.File.Name
description: The name of the file.
type: String
- contextPath: GitHub.File.Type
description: Whether the item is file or directory.
type: String
- contextPath: GitHub.File.Size
description: The size of the file in bytes.
type: Number
- contextPath: GitHub.File.Path
description: The file path inside the repository.
type: String
- contextPath: GitHub.File.DownloadUrl
description: The link to download the file content.
type: String
- contextPath: GitHub.File.SHA
description: The SHA of the file.
type: String
- arguments:
- description: The name of the organization.
name: organization
required: true
- description: Team name.
name: team_slug
required: true
- defaultValue: '30'
description: Miximum number of users to return.
name: maximum_users
description: Lists team members.
name: GitHub-list-team-members
outputs:
- contextPath: GitHub.TeamMember.ID
description: The ID of the team member.
type: Number
- contextPath: GitHub.TeamMember.Login
description: The login name of the team member.
type: String
- contextPath: GitHub.TeamMember.Team
description: The user's team.
type: String
- arguments:
- description: Commit message.
name: commit_message
required: true
- description: The path to the file in the Github repo (including file name and file ending).
name: path_to_file
required: true
- description: The entry ID for the file to commit. Either "entry_id" or "file_text" must be provided.
name: entry_id
- description: The plain text for the file to commit. Either "entry_id" or "file_text" must be provided.
name: file_text
- description: The branch name.
name: branch_name
required: true
- description: The blob SHA of the file being replaced. Use the GitHub-list-files command to get the SHA value of the file. Required if you are updating a file.
name: file_sha
description: Commits a given file.
name: Github-commit-file
- arguments:
- description: The name of the release.
name: name
- description: The name of the release tag.
name: tag_name
required: true
- description: Text describing the contents of the tag.
name: body
- description: The target branch/commit SHA from where to create the release.
name: ref
- auto: PREDEFINED
defaultValue: 'True'
description: Whether to create a draft (unpublished) release.
name: draft
predefined:
- 'True'
- 'False'
description: Create a release.
name: GitHub-create-release
outputs:
- contextPath: GitHub.Release.draft
description: Whether the release is a draft.
type: Boolean
- contextPath: GitHub.Release.html_url
description: The release URL.
type: String
- contextPath: GitHub.Release.id
description: The ID of the release.
type: Number
- contextPath: GitHub.Release.url
description: GitHub API URL link to the release.
type: String
- arguments:
- description: The branch name from which to retrieve pull requests.
name: branch_name
required: true
- description: The name of the organization.
name: organization
- description: The repository for the pull request. Defaults to the repository parameter if not provided.
name: repository
description: Gets pull requests corresponding to the given branch name.
name: GitHub-list-branch-pull-requests
outputs:
- contextPath: GitHub.PR.ID
description: The ID number of the pull request.
type: Number
- contextPath: GitHub.PR.NodeID
description: The node ID of the pull request.
type: String
- contextPath: GitHub.PR.Number
description: The issue number of the pull request.
type: Number
- contextPath: GitHub.PR.State
description: The state of the pull request.
type: String
- contextPath: GitHub.PR.Locked
description: Whether the pull request is locked.
type: Boolean
- contextPath: GitHub.PR.User.Login
description: The login of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.ID
description: The ID of the user who opened the pull request.
type: Number
- contextPath: GitHub.PR.User.NodeID
description: The node ID of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.Type
description: The type of the user who opened the pull request.
type: String
- contextPath: GitHub.PR.User.SiteAdmin
description: Whether the user who opened the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.Body
description: The body content of the pull request.
type: String
- contextPath: GitHub.PR.Label.ID
description: The ID of the label.
type: Number
- contextPath: GitHub.PR.Label.NodeID
description: The node ID of the label.
type: String
- contextPath: GitHub.PR.Label.Name
description: The name of the label.
type: String
- contextPath: GitHub.PR.Label.Description
description: The description of the label.
type: String
- contextPath: GitHub.PR.Label.Color
description: The hex color value of the label.
type: String
- contextPath: GitHub.PR.Label.Default
description: Whether the label is a default.
type: Boolean
- contextPath: GitHub.PR.Milestone.ID
description: The ID of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.NodeID
description: The node ID of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Number
description: The number of the milestone.
type: Number
- contextPath: GitHub.PR.Milestone.State
description: The state of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Title
description: The title of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Description
description: The description of the milestone.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Login
description: The login of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.ID
description: The ID the milestone creator.
type: Number
- contextPath: GitHub.PR.Milestone.Creator.NodeID
description: The node ID of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.Type
description: The type of the milestone creator.
type: String
- contextPath: GitHub.PR.Milestone.Creator.SiteAdmin
description: Whether the milestone creator is a site admin.
type: Boolean
- contextPath: GitHub.PR.Milestone.OpenIssues
description: The number of open issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.ClosedIssues
description: The number of closed issues with this milestone.
type: Number
- contextPath: GitHub.PR.Milestone.CreatedAt
description: The date the milestone was created.
type: String
- contextPath: GitHub.PR.Milestone.UpdatedAt
description: The date the milestone was updated.
type: String
- contextPath: GitHub.PR.Milestone.ClosedAt
description: The date the milestone was closed.
type: String
- contextPath: GitHub.PR.Milestone.DueOn
description: The due date for the milestone.
type: String
- contextPath: GitHub.PR.ActiveLockReason
description: The reason the pull request is locked.
type: String
- contextPath: GitHub.PR.CreatedAt
description: The date the pull request was created.
type: String
- contextPath: GitHub.PR.UpdatedAt
description: The date the pull request was updated.
type: String
- contextPath: GitHub.PR.ClosedAt
description: The date the pull request was closed.
type: String
- contextPath: GitHub.PR.MergedAt
description: The date the pull request was merged.
type: String
- contextPath: GitHub.PR.MergeCommitSHA
description: The SHA hash of the pull request's merge commit.
type: String
- contextPath: GitHub.PR.Assignee.Login
description: The login of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.ID
description: The ID of the user assigned to the pull request.
type: Number
- contextPath: GitHub.PR.Assignee.NodeID
description: The node ID of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.Type
description: The type of the user assigned to the pull request.
type: String
- contextPath: GitHub.PR.Assignee.SiteAdmin
description: Whether the user assigned to the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.RequestedReviewer.Login
description: The login of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.ID
description: The ID of the user requested for review.
type: Number
- contextPath: GitHub.PR.RequestedReviewer.NodeID
description: The node ID of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.Type
description: The type of the user requested for review.
type: String
- contextPath: GitHub.PR.RequestedReviewer.SiteAdmin
description: Whether the user requested for review is a site admin.
type: Boolean
- contextPath: GitHub.PR.RequestedTeam.ID
description: The ID of the team requested for review.
type: Number
- contextPath: GitHub.PR.RequestedTeam.NodeID
description: The node ID of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Name
description: The name of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Slug
description: The slug of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Description
description: The description of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Privacy
description: The privacy setting of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Permission
description: The permissions of the team requested for review.
type: String
- contextPath: GitHub.PR.RequestedTeam.Parent
description: The parent of the team requested for review.
type: Unknown
- contextPath: GitHub.PR.Head.Label
description: The label of the branch that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.Ref
description: The reference of the branch that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.SHA
description: The SHA hash of the commit that HEAD points to.
type: String
- contextPath: GitHub.PR.Head.User.Login
description: The login of the committer of the HEAD commit of the checked out. branch.
type: String
- contextPath: GitHub.PR.Head.User.ID
description: The ID of the committer of the HEAD commit of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.User.NodeID
description: The node ID of the committer of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.Type
description: The type of the committer of the HEAD commit of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.User.SiteAdmin
description: Whether the committer of the HEAD commit of the checked out branch is a site admin.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.ID
description: The ID of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.NodeID
description: The node ID of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Name
description: The name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.FullName
description: The full name of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Login
description: The user login of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.ID
description: The user ID of the owner of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Owner.NodeID
description: The user node ID of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.Type
description: The user type of the owner of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Owner.SiteAdmin
description: Whether the owner of the repository of the checked out branch is a site admin.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Private
description: Whether the repository of the checked out branch is private or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Description
description: The description of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.Fork
description: Whether the repository of the checked out branch is a fork.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Language
description: The language of the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.ForksCount
description: The number of forks of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.StargazersCount
description: The number of stars of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.WatchersCount
description: The number of entities watching the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Size
description: The size of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.DefaultBranch
description: The default branch of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.OpenIssuesCount
description: The open issues of the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Head.Repo.Topics
description: The topics listed for the repository of the checked out branch.
type: Unknown
- contextPath: GitHub.PR.Head.Repo.HasIssues
description: Whether the repository of the checked out branch has issues or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasProjects
description: Whether the repository of the checked out branch has projects or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasWiki
description: Whether the repository of the checked out branch has a wiki or not.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasPages
description: Whether the repository of the checked out branch has pages.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.HasDownloads
description: Whether the repository of the checked out branch has downloads .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Archived
description: Whether the repository of the checked out branch has been arvhived .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.Disabled
description: Whether the repository of the checked out branch has been disabled .
type: Boolean
- contextPath: GitHub.PR.Head.Repo.PushedAt
description: The date of the latest push to the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.CreatedAt
description: The date of creation of the repository of the checked out branch.
type: String
- contextPath: GitHub.PR.Head.Repo.UpdatedAt
description: The date the repository of the checked out branch was last updated.
type: String
- contextPath: GitHub.PR.Head.Repo.AllowRebaseMerge
description: Whether the repository of the checked out branch permits rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowSquashMerge
description: Whether the repository of the checked out branch permits squash merges.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.AllowMergeCommit
description: Whether the repository of the checked out branch permits merge commits.
type: Boolean
- contextPath: GitHub.PR.Head.Repo.SubscribersCount
description: The number of entities subscribing to the repository of the checked out branch.
type: Number
- contextPath: GitHub.PR.Base.Label
description: The label of the base branch.
type: String
- contextPath: GitHub.PR.Base.Ref
description: The reference of the base branch.
type: String
- contextPath: GitHub.PR.Base.SHA
description: The SHA hash of the base branch.
type: String
- contextPath: GitHub.PR.Base.User.Login
description: The login of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.ID
description: The ID of the committer of the commit that the base branch points to.
type: Number
- contextPath: GitHub.PR.Base.User.NodeID
description: The node ID of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.Type
description: The user type of the committer of the commit that the base branch points to.
type: String
- contextPath: GitHub.PR.Base.User.SiteAdmin
description: Whether the committer of the commit that the base branch points to is a site admin.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.ID
description: The ID of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.NodeID
description: The node ID of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Name
description: The name of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.FullName
description: The full name of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Login
description: The user login of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.ID
description: The user ID of the owner of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Owner.NodeID
description: The user node ID of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.Type
description: The user type of the owner of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Owner.SiteAdmin
description: Whether the owner of the repository that the base branch belongs to is a site admin.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Private
description: Whether the repository that the base branch belongs to is private .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Description
description: The description of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.Fork
description: Whether the repository that the base branch belongs to is a fork .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Language
description: The language of the repository that the base branch belongs to.
type: Unknown
- contextPath: GitHub.PR.Base.Repo.ForksCount
description: The number of times that the repository that the base branch belongs to has been forked.
type: Number
- contextPath: GitHub.PR.Base.Repo.StargazersCount
description: The number of times that the repository that the base branch belongs to has been starred.
type: Number
- contextPath: GitHub.PR.Base.Repo.WatchersCount
description: The number of entities watching the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Size
description: The size of the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.DefaultBranch
description: The default branch of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.OpenIssuesCount
description: The number of open issues in the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.Base.Repo.Topics
description: The topics listed for the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.HasIssues
description: Whether the repository that the base branch belongs to has issues .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasProjects
description: Whether the repository that the base branch belongs to has projects .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasWiki
description: Whether the repository that the base branch belongs to has a wiki .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasPages
description: Whether the repository that the base branch belongs to has pages .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.HasDownloads
description: Whether the repository that the base branch belongs to has downloads .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Archived
description: Whether the repository that the base branch belongs to is archived .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.Disabled
description: Whether the repository that the base branch belongs to is disabled .
type: Boolean
- contextPath: GitHub.PR.Base.Repo.PushedAt
description: The date that the repository that the base branch belongs to was last pushed to.
type: String
- contextPath: GitHub.PR.Base.Repo.CreatedAt
description: The date of creation of the repository that the base branch belongs to.
type: String
- contextPath: GitHub.PR.Base.Repo.UpdatedAt
description: The date that the repository that the base branch belongs to was last updated.
type: String
- contextPath: GitHub.PR.Base.Repo.AllowRebaseMerge
description: Whether the repository that the base branch belongs to allows rebase-style merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowSquashMerge
description: Whether the repository that the base branch belongs to allows squash merges.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.AllowMergeCommit
description: Whether the repository that the base branch belongs to allows merge commits.
type: Boolean
- contextPath: GitHub.PR.Base.Repo.SubscribersCount
description: The number of entities that subscribe to the repository that the base branch belongs to.
type: Number
- contextPath: GitHub.PR.AuthorAssociation
description: The pull request author association.
type: String
- contextPath: GitHub.PR.Draft
description: Whether the pull request is a draft.
type: Boolean
- contextPath: GitHub.PR.Merged
description: Whether the pull request is merged.
type: Boolean
- contextPath: GitHub.PR.Mergeable
description: Whether the pull request is mergeable.
type: Boolean
- contextPath: GitHub.PR.Rebaseable
description: Whether the pull request is rebaseable.
type: Boolean
- contextPath: GitHub.PR.MergeableState
description: The mergeable state of the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Login
description: The login of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.ID
description: The ID of the user who merged the pull request.
type: Number
- contextPath: GitHub.PR.MergedBy.NodeID
description: The node ID of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.Type
description: The type of the user who merged the pull request.
type: String
- contextPath: GitHub.PR.MergedBy.SiteAdmin
description: Whether the user who merged the pull request is a site admin or not.
type: Boolean
- contextPath: GitHub.PR.Comments
description: The number of comments on the pull request.
type: Number
- contextPath: GitHub.PR.ReviewComments
description: The number of review comments on the pull request.
type: Number
- contextPath: GitHub.PR.MaintainerCanModify
description: Whether the maintainer can modify the pull request.
type: Boolean
- contextPath: GitHub.PR.Commits
description: The number of commits in the pull request.
type: Number
- contextPath: GitHub.PR.Additions
description: The number of additions in the pull request.
type: Number
- contextPath: GitHub.PR.Deletions
description: The number of deletions in the pull request.
type: Number
- contextPath: GitHub.PR.ChangedFiles
description: The number of changed files in the pull request.
type: Number
- arguments:
- description: The issue number to retrieve events for.
name: issue_number
required: true
description: Returns events corresponding to the given issue.
name: Github-list-issue-events
outputs:
- contextPath: GitHub.IssueEvent.id
description: Event ID.
type: Number
- contextPath: GitHub.IssueEvent.node_id
description: Event node ID.
type: String
- contextPath: GitHub.IssueEvent.url
description: Event URL.
type: String
- contextPath: GitHub.IssueEvent.actor.login
description: Event actor login username.
type: String
- contextPath: GitHub.IssueEvent.actor.id
description: Event actor ID.
type: Number
- contextPath: GitHub.IssueEvent.actor.node_id
description: Event actor node ID.
type: String
- contextPath: GitHub.IssueEvent.actor.avatar_url
description: Event actor avatar URL.
type: String
- contextPath: GitHub.IssueEvent.actor.gravatar_id
description: Event actor gravatar ID.
type: String
- contextPath: GitHub.IssueEvent.actor.url
description: Event actor URL.
type: String
- contextPath: GitHub.IssueEvent.actor.html_url
description: Event actor HTML URL.
type: String
- contextPath: GitHub.IssueEvent.actor.followers_url
description: Event actor followers URL.
type: String
- contextPath: GitHub.IssueEvent.actor.following_url
description: Event actor following URL.
type: String
- contextPath: GitHub.IssueEvent.actor.gists_url
description: Event actor gists URL.
type: String
- contextPath: GitHub.IssueEvent.actor.starred_url
description: Event actor starred URL.
type: String
- contextPath: GitHub.IssueEvent.actor.subscriptions_url
description: Event actor subscriptions URL.
type: String
- contextPath: GitHub.IssueEvent.actor.organizations_url
description: Event actor organizations URL.
type: String
- contextPath: GitHub.IssueEvent.actor.repos_url
description: Event actor repos URL.
type: String
- contextPath: GitHub.IssueEvent.actor.events_url
description: Event actor events URL.
type: String
- contextPath: GitHub.IssueEvent.actor.received_events_url
description: Event actor received events URL.
type: String
- contextPath: GitHub.IssueEvent.actor.type
description: Event actor type.
type: String
- contextPath: GitHub.IssueEvent.actor.site_admin
description: Indicates whether the event actor is site admin.
type: Boolean
- contextPath: GitHub.IssueEvent.event
description: Issue event type, for example labeled, closed.
type: String
- contextPath: GitHub.IssueEvent.commit_id
description: Event commit ID.
type: Unknown
- contextPath: GitHub.IssueEvent.commit_url
description: Event commit URL.
type: Unknown
- contextPath: GitHub.IssueEvent.created_at
description: Event created time.
type: Date
- contextPath: GitHub.IssueEvent.label.name
description: Event label name.
type: String
- contextPath: GitHub.IssueEvent.label.color
description: Event label color.
type: String
- contextPath: GitHub.IssueEvent.performed_via_github_app
description: Indicates whether event was performed via a GitHub application.
type: Unknown
- contextPath: GitHub.IssueEvent.assignee.login
description: Assignee login username.
type: String
- contextPath: GitHub.IssueEvent.assignee.id
description: Assignee ID.
type: Number
- contextPath: GitHub.IssueEvent.assignee.node_id
description: Assignee node ID.
type: String
- contextPath: GitHub.IssueEvent.assignee.avatar_url
description: Assignee avatar URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.gravatar_id
description: Assignee gravatar ID.
type: String
- contextPath: GitHub.IssueEvent.assignee.url
description: Assignee URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.html_url
description: Assignee HTML URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.followers_url
description: Assignee followers URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.following_url
description: Assignee following URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.gists_url
description: Assignee gists URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.starred_url
description: Assignee starred URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.subscriptions_url
description: Assignee subscriptions URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.organizations_url
description: Assignee organizations URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.repos_url
description: Assignee repos URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.events_url
description: Assignee events URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.received_events_url
description: Assignee received events URL.
type: String
- contextPath: GitHub.IssueEvent.assignee.type
description: Assignee type.
type: String
- contextPath: GitHub.IssueEvent.assignee.site_admin
description: Indicates whether the assignee is a site admin.
type: Boolean
- contextPath: GitHub.IssueEvent.assigner.login
description: Assigner login username.
type: String
- contextPath: GitHub.IssueEvent.assigner.id
description: Assigner ID.
type: Number
- contextPath: GitHub.IssueEvent.assigner.node_id
description: Assigner node ID.
type: String
- contextPath: GitHub.IssueEvent.assigner.avatar_url
description: Assigner avatar URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.gravatar_id
description: Assigner gravatar ID.
type: String
- contextPath: GitHub.IssueEvent.assigner.url
description: Assigner URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.html_url
description: Assigner HTML URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.followers_url
description: Assigner followers URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.following_url
description: Assigner following URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.gists_url
description: Assigner gists URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.starred_url
description: Assigner starred URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.subscriptions_url
description: Assigner subscriptions URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.organizations_url
description: Assigner organizations URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.repos_url
description: Assigner repos URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.events_url
description: Assigner events URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.received_events_url
description: Assigner received events URL.
type: String
- contextPath: GitHub.IssueEvent.assigner.type
description: Assigner type.
type: String
- contextPath: GitHub.IssueEvent.assigner.site_admin
description: Indicates whether the assignee is a site admin.
type: Boolean
- arguments:
- description: Only list projects with the following numbers.
isArray: true
name: project_filter
- defaultValue: '20'
description: The number of projects to return. Default is 20. Maximum is 100.
name: limit
description: Lists all issues that the user has access to view.
name: GitHub-list-all-projects
outputs:
- contextPath: GitHub.Project.Name
description: The name of the project board.
type: String
- contextPath: GitHub.Project.ID
description: The ID of the project board.
type: Number
- contextPath: GitHub.Project.Number
description: The project board number.
type: Number
- contextPath: GitHub.Project.Columns.Name
description: The column name.
type: String
- contextPath: GitHub.Project.Columns.ColumnID
description: The ID of the column.
type: Number
- contextPath: GitHub.Project.Columns.Cards.CardID
description: The ID of the card.
type: Number
- contextPath: GitHub.Project.Columns.Cards.ContentNumber
description: The content number of this card, usually this is the issue number.
type: Number
- contextPath: GitHub.Project.Issues
description: Lists of all issue numbers that are in this project board.
type: Unknown
- arguments:
- description: 'Column unique id.'
name: column_id
required: true
- description: Issue unique ID.
name: issue_unique_id
required: true
- defaultValue: Issue
description: Content type of the project card.
name: content_type
description: Adds an Issue as a card in column of a spesific project.
name: GitHub-add-issue-to-project-board
- arguments:
- default: true
description: Relative path to retrieve its data.
name: relative_path
required: true
- description: The branch name from which to get the file data. Default is master.
name: branch_name
- description: The name of the organization containing the file.
name: organization
- description: The repository of the file.
name: repository
description: Gets the data of the a given path.
name: GitHub-get-path-data
outputs:
- contextPath: GitHub.PathData.name
description: The path name.
type: String
- contextPath: GitHub.PathData.path
description: The Relative path for the given repository.
type: String
- contextPath: GitHub.PathData.sha
description: The path SHA.
type: String
- contextPath: GitHub.PathData.size
description: The path size in bytes. Will be 0 if path to a dir was given.
type: Number
- contextPath: GitHub.PathData.url
description: The path URL.
type: String
- contextPath: GitHub.PathData.html_url
description: The path HTML URL.
type: String
- contextPath: GitHub.PathData.git_url
description: The path Git URL.
type: String
- contextPath: GitHub.PathData.download_url
description: The path download URL. If a directory path was given will be empty.
type: String
- contextPath: GitHub.PathData.type
description: The path data, for example file, dir.
type: String
- contextPath: GitHub.PathData.content
description: The content of the path if a file path was given.
type: String
- contextPath: GitHub.PathData.encoding
description: The encoding method if path to a file was given.
type: String
- contextPath: GitHub.PathData.entries.name
description: If a dir was given in file_path, name of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.path
description: If a dir was given in file_path, path of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.sha
description: If a dir was given in file_path, SHA of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.size
description: If a dir was given in file_path, size of the dir entry. Will be 0 if entry is also a dir.
type: Number
- contextPath: GitHub.PathData.entries.url
description: If a dir was given in file_path, URL of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.html_url
description: If a dir was given in file_path, HTML URL of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.git_url
description: If a dir was given in file_path, Git URL of the dir entry.
type: String
- contextPath: GitHub.PathData.entries.download_url
description: If a dir was given in file_path, download URL of the dir entry. Will be empty if entry is also a dir.
type: String
- contextPath: GitHub.PathData.entries.type
description: If a dir was given in file_path, type of the dir entry.
type: String
- arguments:
- description: The page number to retrieve releases from. If limit argument is not given, defaults to 1.
name: page
- description: The size of the page. If limit argument is not given, defaults to 50.
name: page_size
- description: The maximum number of releases data to retrieve. Will get results of the first pages. Cannot be given with page_size or page arguments.
name: limit
- description: The name of the organization containing the repository. Defaults to organization instance parameter if not given.
name: organization
- description: The repository containing the releases. Defaults to repository instance parameter if not given.
name: repository
description: Gets releases data from a given repository and organization.
name: GitHub-releases-list
outputs:
- contextPath: GitHub.Release.url
description: The release URL.
type: String
- contextPath: GitHub.Release.assets_url
description: The release assets URL.
type: String
- contextPath: GitHub.Release.upload_url
description: Upload URL.
type: String
- contextPath: GitHub.Release.html_url
description: HTML URL.
type: String
- contextPath: GitHub.Release.id
description: The release ID.
type: Number
- contextPath: GitHub.Release.author.login
description: The release author login username.
type: String
- contextPath: GitHub.Release.author.id
description: The release author user ID.
type: Number
- contextPath: GitHub.Release.author.node_id
description: The release author node ID.
type: String
- contextPath: GitHub.Release.author.avatar_url
description: The release author avatar URL.
type: String
- contextPath: GitHub.Release.author.gravatar_id
description: The release author gravatar ID.
type: String
- contextPath: GitHub.Release.author.url
description: The release author URL.
type: String
- contextPath: GitHub.Release.author.html_url
description: The release author HTML URL.
type: String
- contextPath: GitHub.Release.author.followers_url
description: The release author followers URL.
type: String
- contextPath: GitHub.Release.author.following_url
description: The release author following URL.
type: String
- contextPath: GitHub.Release.author.gists_url
description: The release author gists URL.
type: String
- contextPath: GitHub.Release.author.starred_url
description: The release author starred URL.
type: String
- contextPath: GitHub.Release.author.subscriptions_url
description: The release author subscriptions URL.
type: String
- contextPath: GitHub.Release.author.organizations_url
description: The release author organizations URL.
type: String
- contextPath: GitHub.Release.author.repos_url
description: The release author repos URL.
type: String
- contextPath: GitHub.Release.author.events_url
description: The release author events URL.
type: String
- contextPath: GitHub.Release.author.received_events_url
description: The release author received events URL.
type: String
- contextPath: GitHub.Release.author.type
description: The release author type. (E.g, "User").
type: String
- contextPath: GitHub.Release.author.site_admin
description: Whether the release author is a site admin.
type: Boolean
- contextPath: GitHub.Release.node_id
description: The release Node ID.
type: String
- contextPath: GitHub.Release.tag_name
description: The release tag name.
type: String
- contextPath: GitHub.Release.target_commitish
description: The release target commit.
type: String
- contextPath: GitHub.Release.name
description: The release name.
type: String
- contextPath: GitHub.Release.draft
description: Whether release is draft.
type: Boolean
- contextPath: GitHub.Release.prerelease
description: Whether release is pre release.
type: Boolean
- contextPath: GitHub.Release.created_at
description: Date when release was created.
type: Date
- contextPath: GitHub.Release.published_at
description: Date when release was published.
type: Date
- contextPath: GitHub.Release.tarball_url
description: The release tar URL download.
type: String
- contextPath: GitHub.Release.zipball_url
description: The release zip URL download.
type: String
- contextPath: GitHub.Release.body
description: The release body.
type: String
- arguments:
- description: The number of the issue to comment on.
name: issue_number
required: true
- description: the comment id to update.
name: comment_id
required: true
- description: The contents of the comment.
name: body
required: true
description: Update an already existing comment.
name: GitHub-update-comment
outputs:
- contextPath: GitHub.Comment.IssueNumber
description: The number of the issue to which the comment belongs.
type: Number
- contextPath: GitHub.Comment.ID
description: The ID of the comment.
type: Number
- contextPath: GitHub.Comment.NodeID
description: The node ID of the comment.
type: String
- contextPath: GitHub.Comment.Body
description: The body content of the comment.
type: String
- contextPath: GitHub.Comment.User.Login
description: The login of the user who commented.
type: String
- contextPath: GitHub.Comment.User.ID
description: The ID of the user who commented.
type: Number
- contextPath: GitHub.Comment.User.NodeID
description: The node ID of the user who commented.
type: String
- contextPath: GitHub.Comment.User.Type
description: The type of the user who commented.
type: String
- contextPath: GitHub.Comment.User.SiteAdmin
description: Whether the user who commented is a site admin.
type: Boolean
- arguments:
- description: The id of comment to delete.
name: comment_id
required: true
description: Deletes a comment.
name: GitHub-delete-comment
- arguments:
- description: The number of PR/Issue to assign users to.
name: pull_request_number
required: true
- description: Users to assign, can be a list of users.
isArray: true
name: assignee
required: true
description: Adds up to 10 assignees to an issue/PR. Users already assigned to an issue are not replaced.
name: GitHub-add-assignee
outputs:
- contextPath: GitHub.Assignees.assignees
description: Assignees to the issue.
type: String
- contextPath: GitHub.Assignees.assignees.login
description: Login of assigned user.
type: String
- contextPath: GitHub.Assignees.assignees.gists_url
description: Gists URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.following_url
description: Following URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.followers_url
description: Followers URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.subscriptions_url
description: Subscriptions URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.received_events_url
description: Received events URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.events_url
description: Events URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.avatar_url
description: Avatar URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.url
description: URL for user for user.
type: String
- contextPath: GitHub.Assignees.assignees.starred_url
description: Starred URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.organizations_url
description: Organizations URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.repos_url
description: Repos URL for user.
type: String
- contextPath: GitHub.Assignees.assignees.gravatar_id
description: Gravatar_id for user.
type: String
- contextPath: GitHub.Assignees.assignees.site_admin
description: Is user site admin.
type: String
- contextPath: GitHub.Assignees.assignees.node_id
description: Node ID for user.
type: String
- contextPath: GitHub.Assignees.assignees.type
description: Type of user.
type: String
- contextPath: GitHub.Assignees.assignees.id
description: User ID.
type: String
- contextPath: GitHub.Assignees.assignees.html_url
description: HTML URL for user.
type: String
- arguments:
- description: The GitHub owner (organization or username) of the repository.
name: owner
- description: The GitHub repository name.
name: repository
- description: The branch to trigger the workflow on.
name: branch
- description: The name of your workflow file.
name: workflow
required: true
- description: The inputs for the workflow.
name: inputs
description: Triggers a GitHub workflow on a given repository and workflow.
name: GitHub-trigger-workflow
- arguments:
- description: The GitHub owner (organization or username) of the repository.
name: owner
- description: The GitHub repository name.
name: repository
- description: The ID of the workflow to cancel.
name: workflow_id
required: true
description: Cancels a GitHub workflow.
name: GitHub-cancel-workflow
- arguments:
- description: The GitHub owner (organization or username) of the repository.
name: owner
- description: The GitHub repository name.
isArray: true
name: repository
- description: The name of your workflow file.
isArray: true
name: workflow
required: true
- description: The number of workflows to return. Default is 100.
isArray: true
name: limit
description: Returns a list of GitHub workflows on a given repository.
name: GitHub-list-workflows
outputs:
- contextPath: GitHub.Workflow.id
description: The GitHub workflow ID (per run).
type: Number
- contextPath: GitHub.Workflow.name
description: The GitHub workflow name.
type: String
- contextPath: GitHub.Workflow.head_branch
description: The branch on which the workflow ran.
type: String
- contextPath: GitHub.Workflow.head_sha
description: The commit SHA on which the workflow ran.
type: String
- contextPath: GitHub.Workflow.path
description: The GitHub workflow name path.
type: String
- contextPath: GitHub.Workflow.display_title
description: The GitHub workflow title.
type: String
- contextPath: GitHub.Workflow.run_number
description: The GitHub workflow run number.
type: Number
- contextPath: GitHub.Workflow.event
description: The GitHub workflow trigger type (scheduled, dispatch).
type: String
- contextPath: GitHub.Workflow.status
description: The GitHub workflow status (in_progress, completed).
type: String
- contextPath: GitHub.Workflow.conclusion
description: The GitHub workflow conclusion (cancelled, success).
type: String
- contextPath: GitHub.Workflow.workflow_id
description: The GitHub workflow ID (per workflow).
type: String
- contextPath: GitHub.Workflow.url
description: The GitHub workflow API URL.
type: String
- contextPath: GitHub.Workflow.html_url
description: The GitHub workflow HTML URL.
type: String
- contextPath: GitHub.Workflow.created_at
description: Datetime the GitHub workflow was created at.
type: Date
- contextPath: GitHub.Workflow.updated_at
description: Datetime the GitHub workflow was updated at.
type: Date
dockerimage: demisto/auth-utils:1.0.0.100419
isfetch: true
runonce: false
script: '-'
subtype: python3
type: python
tests:
- No tests (auto formatted)
fromversion: 5.0.0
``` |
```python
"""Solvers for Ridge and LogisticRegression using SAG algorithm"""
# Authors: Tom Dupre la Tour <tom.dupre-la-tour@m4x.org>
#
import warnings
import numpy as np
from ._base import make_dataset
from ._sag_fast import sag32, sag64
from ..exceptions import ConvergenceWarning
from ..utils import check_array
from ..utils.validation import _check_sample_weight
from ..utils.validation import _deprecate_positional_args
from ..utils.extmath import row_norms
def get_auto_step_size(max_squared_sum, alpha_scaled, loss, fit_intercept,
n_samples=None,
is_saga=False):
"""Compute automatic step size for SAG solver.
The step size is set to 1 / (alpha_scaled + L + fit_intercept) where L is
the max sum of squares for over all samples.
Parameters
----------
max_squared_sum : float
Maximum squared sum of X over samples.
alpha_scaled : float
Constant that multiplies the regularization term, scaled by
1. / n_samples, the number of samples.
loss : {'log', 'squared', 'multinomial'}
The loss function used in SAG solver.
fit_intercept : bool
Specifies if a constant (a.k.a. bias or intercept) will be
added to the decision function.
n_samples : int, default=None
Number of rows in X. Useful if is_saga=True.
is_saga : bool, default=False
Whether to return step size for the SAGA algorithm or the SAG
algorithm.
Returns
-------
step_size : float
Step size used in SAG solver.
References
----------
Schmidt, M., Roux, N. L., & Bach, F. (2013).
Minimizing finite sums with the stochastic average gradient
path_to_url
Defazio, A., Bach F. & Lacoste-Julien S. (2014).
SAGA: A Fast Incremental Gradient Method With Support
for Non-Strongly Convex Composite Objectives
path_to_url
"""
if loss in ('log', 'multinomial'):
L = (0.25 * (max_squared_sum + int(fit_intercept)) + alpha_scaled)
elif loss == 'squared':
# inverse Lipschitz constant for squared loss
L = max_squared_sum + int(fit_intercept) + alpha_scaled
else:
raise ValueError("Unknown loss function for SAG solver, got %s "
"instead of 'log' or 'squared'" % loss)
if is_saga:
# SAGA theoretical step size is 1/3L or 1 / (2 * (L + mu n))
# See Defazio et al. 2014
mun = min(2 * n_samples * alpha_scaled, L)
step = 1. / (2 * L + mun)
else:
# SAG theoretical step size is 1/16L but it is recommended to use 1 / L
# see path_to_url
# slide 65
step = 1. / L
return step
@_deprecate_positional_args
def sag_solver(X, y, sample_weight=None, loss='log', alpha=1., beta=0.,
max_iter=1000, tol=0.001, verbose=0, random_state=None,
check_input=True, max_squared_sum=None,
warm_start_mem=None,
is_saga=False):
"""SAG solver for Ridge and LogisticRegression.
SAG stands for Stochastic Average Gradient: the gradient of the loss is
estimated each sample at a time and the model is updated along the way with
a constant learning rate.
IMPORTANT NOTE: 'sag' solver converges faster on columns that are on the
same scale. You can normalize the data by using
sklearn.preprocessing.StandardScaler on your data before passing it to the
fit method.
This implementation works with data represented as dense numpy arrays or
sparse scipy arrays of floating point values for the features. It will
fit the data according to squared loss or log loss.
The regularizer is a penalty added to the loss function that shrinks model
parameters towards the zero vector using the squared euclidean norm L2.
.. versionadded:: 0.17
Parameters
----------
X : {array-like, sparse matrix} of shape (n_samples, n_features)
Training data.
y : ndarray of shape (n_samples,)
Target values. With loss='multinomial', y must be label encoded
(see preprocessing.LabelEncoder).
sample_weight : array-like of shape (n_samples,), default=None
Weights applied to individual samples (1. for unweighted).
loss : {'log', 'squared', 'multinomial'}, default='log'
Loss function that will be optimized:
-'log' is the binary logistic loss, as used in LogisticRegression.
-'squared' is the squared loss, as used in Ridge.
-'multinomial' is the multinomial logistic loss, as used in
LogisticRegression.
.. versionadded:: 0.18
*loss='multinomial'*
alpha : float, default=1.
L2 regularization term in the objective function
``(0.5 * alpha * || W ||_F^2)``.
beta : float, default=0.
L1 regularization term in the objective function
``(beta * || W ||_1)``. Only applied if ``is_saga`` is set to True.
max_iter : int, default=1000
The max number of passes over the training data if the stopping
criteria is not reached.
tol : double, default=0.001
The stopping criteria for the weights. The iterations will stop when
max(change in weights) / max(weights) < tol.
verbose : int, default=0
The verbosity level.
random_state : int, RandomState instance or None, default=None
Used when shuffling the data. Pass an int for reproducible output
across multiple function calls.
See :term:`Glossary <random_state>`.
check_input : bool, default=True
If False, the input arrays X and y will not be checked.
max_squared_sum : float, default=None
Maximum squared sum of X over samples. If None, it will be computed,
going through all the samples. The value should be precomputed
to speed up cross validation.
warm_start_mem : dict, default=None
The initialization parameters used for warm starting. Warm starting is
currently used in LogisticRegression but not in Ridge.
It contains:
- 'coef': the weight vector, with the intercept in last line
if the intercept is fitted.
- 'gradient_memory': the scalar gradient for all seen samples.
- 'sum_gradient': the sum of gradient over all seen samples,
for each feature.
- 'intercept_sum_gradient': the sum of gradient over all seen
samples, for the intercept.
- 'seen': array of boolean describing the seen samples.
- 'num_seen': the number of seen samples.
is_saga : bool, default=False
Whether to use the SAGA algorithm or the SAG algorithm. SAGA behaves
better in the first epochs, and allow for l1 regularisation.
Returns
-------
coef_ : ndarray of shape (n_features,)
Weight vector.
n_iter_ : int
The number of full pass on all samples.
warm_start_mem : dict
Contains a 'coef' key with the fitted result, and possibly the
fitted intercept at the end of the array. Contains also other keys
used for warm starting.
Examples
--------
>>> import numpy as np
>>> from sklearn import linear_model
>>> n_samples, n_features = 10, 5
>>> rng = np.random.RandomState(0)
>>> X = rng.randn(n_samples, n_features)
>>> y = rng.randn(n_samples)
>>> clf = linear_model.Ridge(solver='sag')
>>> clf.fit(X, y)
Ridge(solver='sag')
>>> X = np.array([[-1, -1], [-2, -1], [1, 1], [2, 1]])
>>> y = np.array([1, 1, 2, 2])
>>> clf = linear_model.LogisticRegression(
... solver='sag', multi_class='multinomial')
>>> clf.fit(X, y)
LogisticRegression(multi_class='multinomial', solver='sag')
References
----------
Schmidt, M., Roux, N. L., & Bach, F. (2013).
Minimizing finite sums with the stochastic average gradient
path_to_url
Defazio, A., Bach F. & Lacoste-Julien S. (2014).
SAGA: A Fast Incremental Gradient Method With Support
for Non-Strongly Convex Composite Objectives
path_to_url
See Also
--------
Ridge, SGDRegressor, ElasticNet, Lasso, SVR,
LogisticRegression, SGDClassifier, LinearSVC, Perceptron
"""
if warm_start_mem is None:
warm_start_mem = {}
# Ridge default max_iter is None
if max_iter is None:
max_iter = 1000
if check_input:
_dtype = [np.float64, np.float32]
X = check_array(X, dtype=_dtype, accept_sparse='csr', order='C')
y = check_array(y, dtype=_dtype, ensure_2d=False, order='C')
n_samples, n_features = X.shape[0], X.shape[1]
# As in SGD, the alpha is scaled by n_samples.
alpha_scaled = float(alpha) / n_samples
beta_scaled = float(beta) / n_samples
# if loss == 'multinomial', y should be label encoded.
n_classes = int(y.max()) + 1 if loss == 'multinomial' else 1
# initialization
sample_weight = _check_sample_weight(sample_weight, X, dtype=X.dtype)
if 'coef' in warm_start_mem.keys():
coef_init = warm_start_mem['coef']
else:
# assume fit_intercept is False
coef_init = np.zeros((n_features, n_classes), dtype=X.dtype,
order='C')
# coef_init contains possibly the intercept_init at the end.
# Note that Ridge centers the data before fitting, so fit_intercept=False.
fit_intercept = coef_init.shape[0] == (n_features + 1)
if fit_intercept:
intercept_init = coef_init[-1, :]
coef_init = coef_init[:-1, :]
else:
intercept_init = np.zeros(n_classes, dtype=X.dtype)
if 'intercept_sum_gradient' in warm_start_mem.keys():
intercept_sum_gradient = warm_start_mem['intercept_sum_gradient']
else:
intercept_sum_gradient = np.zeros(n_classes, dtype=X.dtype)
if 'gradient_memory' in warm_start_mem.keys():
gradient_memory_init = warm_start_mem['gradient_memory']
else:
gradient_memory_init = np.zeros((n_samples, n_classes),
dtype=X.dtype, order='C')
if 'sum_gradient' in warm_start_mem.keys():
sum_gradient_init = warm_start_mem['sum_gradient']
else:
sum_gradient_init = np.zeros((n_features, n_classes),
dtype=X.dtype, order='C')
if 'seen' in warm_start_mem.keys():
seen_init = warm_start_mem['seen']
else:
seen_init = np.zeros(n_samples, dtype=np.int32, order='C')
if 'num_seen' in warm_start_mem.keys():
num_seen_init = warm_start_mem['num_seen']
else:
num_seen_init = 0
dataset, intercept_decay = make_dataset(X, y, sample_weight, random_state)
if max_squared_sum is None:
max_squared_sum = row_norms(X, squared=True).max()
step_size = get_auto_step_size(max_squared_sum, alpha_scaled, loss,
fit_intercept, n_samples=n_samples,
is_saga=is_saga)
if step_size * alpha_scaled == 1:
raise ZeroDivisionError("Current sag implementation does not handle "
"the case step_size * alpha_scaled == 1")
sag = sag64 if X.dtype == np.float64 else sag32
num_seen, n_iter_ = sag(dataset, coef_init,
intercept_init, n_samples,
n_features, n_classes, tol,
max_iter,
loss,
step_size, alpha_scaled,
beta_scaled,
sum_gradient_init,
gradient_memory_init,
seen_init,
num_seen_init,
fit_intercept,
intercept_sum_gradient,
intercept_decay,
is_saga,
verbose)
if n_iter_ == max_iter:
warnings.warn("The max_iter was reached which means "
"the coef_ did not converge", ConvergenceWarning)
if fit_intercept:
coef_init = np.vstack((coef_init, intercept_init))
warm_start_mem = {'coef': coef_init, 'sum_gradient': sum_gradient_init,
'intercept_sum_gradient': intercept_sum_gradient,
'gradient_memory': gradient_memory_init,
'seen': seen_init, 'num_seen': num_seen}
if loss == 'multinomial':
coef_ = coef_init.T
else:
coef_ = coef_init[:, 0]
return coef_, n_iter_, warm_start_mem
``` |
The Lindsay Pryor National Arboretum is an arboretum on the Yarramundi Reach peninsula in Canberra, the capital of Australia. It is named after Lindsay Pryor, a noted Australian botanist. The site is located at the western end of Lake Burley Griffin and is used for research and recreation.
Trees of the arboretum were mostly planted 1954-1957 by Lindsay Pryor. The arboretum was damaged in the 2003 Canberra bushfires.
Gallery
References
External links
Lindsay Pryor National Arboretum webpage on the National Capital Authority website
Parks in Canberra
Arboreta in Australia |
Seher Latif (died 7 June 2021) or Seher Aly Latif was an Indian producer and casting director, who worked on a number of domestic and international film projects based in India. Her credits as a casting director including award-winning films such as The Lunchbox, Shakuntala Devi, and the Indian casting for Zero Dark Thirty, Eat Pray Love, and The Second Best Exotic Marigold Hotel, as well as television shows such as Sense8, and McMafia. She also produced the Indian romantic television series, Bhaag Beanie Bhaag, starring Swara Bhasker. In 2016, Elle Magazine listed her as one of the 'most powerful young Indian women in Bollywood'.
Career
Latif worked primarily as a casting director, often collaborating with international film and television projects to cast Indian actors for scenes filmed in India. Variety described her as " one of the most sought-after casting directors for international projects set in India or with a significant India component." She worked on a number of well-received international projects that were filmed partly in India, including Kathryn Bigelow's Zero Dark Thirty, John Madden'sThe Best Exotic Marigold Hotel, Ryan Murphy's Eat Pray Love, and The Hundred-Foot Journey. In addition to her work in film, she also did casting for a number of television series that were filmed in or relating to India, including Sense8, McMafia, and The Good Karma Hospital. In 2013, along with Mark Bennett and Richard Hicks, she was nominated for an award for Big Budget/Feature Casting for her work on Zero Dark Thirty, by the Casting Society of America.
In India, Latif was the casting director for The Lunchbox, which won several domestic and international awards. More recently, she worked as a producer for Shakuntala Devi, a biographical film about the Indian mathematician Shakuntala Devi, starring Vidya Balan, as well as on Bhaag Beanie Bhaag, an Indian romantic television series for Netflix that starred Swara Bhasker. Bhaag Beanie Bhaag was a production of Mutant Studios, a production studio set up by Latif and Shivani Saran in 2016. They also produced a sports drama, GOLD, starring Akshay Kumar, in 2018. Other recent work included casting on a biopic of mathematician Srinivasa Ramanujan, titled The Man Who Knew Infinity and starring Dev Patel, a period film, Viceroy's House, directed by Gurinder Chadha, and a horor-drama, Durgamati, starring Bhumi Pednekar. In 2016, Elle Magazine listed her as one of the 'most powerful young Indian women in Bollywood'.
Filmography
Latif's filmography included credits for casting and production.
Casting
Production
Personal life
Her alma mater- Mater Dei School, New Delhi. Latif died at the age of 39, in Mumbai, on 7 June 2021.
References
Indian casting directors
Women casting directors
Indian film producers
Indian women film producers |
Jose Callangan Calida (born July 7, 1950) is a Filipino lawyer. He previously served as Undersecretary of Justice under the Arroyo administration, as executive director of the Dangerous Drugs Board, as Solicitor General of the Philippines under the Duterte administration, and as the Chairman of Commission on Audit (COA) under the administration of President Bongbong Marcos.
Life and education
Calida was born in Nuevo Iloco, Davao (present-day Mawab, Davao de Oro). A born again Christian, he is married to Milagros Parantar Ordaneza who is also from Davao with whom he has three children.
Calida holds a Doctor of Philosophy degree in English from the Ateneo de Davao University in 1969. He studied law at the Ateneo de Manila University Law School where he was a dean's lister. He graduated in 1973 and was admitted to the Bar the following year with a general average of 83.25 percent (the highest grade of 100 percent in Criminal Law, 90 percent in Civil Law and 90 percent in Taxation) in the 1974 Philippine Bar Examination.
Calida is a member of the Aquila Legis Fraternity.
Career
Calida is a practicing lawyer and founding partner of J. Calida & Associates law firm based in Davao del Sur. He served as secretary general of the Volunteers Against Crime and Corruption during the administration of President Fidel Ramos and was the convenor of the God's People's Coalition for Righteousness that staged protests and prayer rallies against the proliferation of pornography and smut films in the 1990s. In 1997, he led the group called Support the Initiatives for the Good of the Nation or SIGN which pushed for Charter Change through people's initiative and helped the Pirma movement gather signatures to allow then President Fidel Ramos to run for reelection through a plebiscite. He also co-founded the party list group called Citizens' Battle Against Corruption and served as its president in 1997.
Calida was a member of the prosecution team during the impeachment trial of President Joseph Estrada in 2000. Following the Second EDSA Revolution, he was appointed by the newly installed President Gloria Macapagal Arroyo as the Undersecretary of the Department of Justice (DOJ) under Secretaries Hernando B. Perez in 2001, Merceditas Gutierrez in 2002, and Simeon Datumanong in 2003. As Justice Undersecretary, he was in charge of the National Bureau of Investigation, the Office of the Government Corporate Counsel, the DOJ Task Force on Corruption and Internal Security, and the DOJ Task Force on Financial Fraud and Money Laundering. In 2004, he assumed the leadership of the Dangerous Drugs Board as the agency's executive director.
Calida returned to private law and business after leaving government service in October 2004. He was president and chair of Vigilant Investigative and Security Agency, which won a contract with the Philippine Amusement and Gaming Corporation in 2010. He also served as senior vice president of the insurance company Prudential Guarantee and Assurance Inc. Calida was endorsed by then Davao City Vice Mayor Rodrigo Duterte as a candidate for the Ombudsman post in 2011. Prior to his return to government service, he was also one of the campaign managers of the 2016 Duterte-Marcos presidential-vice presidential campaign. President Duterte has described Calida as "passionately... pro-Marcos."
Calida faces criminal and administrative charges at the Office of the Ombudsman. According to one of the charges, Calida allegedly violated the Code of Conduct and Ethical Standards for Public Officials and Employees for failing to divest his interest in his family-owned security agency, which received worth of contracts from the Department of Justice and other government agencies. Calida has denied any conflict of interest and said he is not liable under the Code of Conduct for Public Officials nor the anti-graft law.
Calida was reported to be the second highest-paid government official in 2019, earning according to a report from Commission on Audit (COA).
Calida was appointed by President-elect Bongbong Marcos as the Chairman of Commission on Audit (COA) on June 29, 2022; he assumed the post on July 4. However, his appointment was bypassed by the Commission on Appointments (CA) on September 28 and he was not reappointed by Marcos. Calida resigned from the post on October 4 due to undisclosed reasons; he was replaced by Gamaliel Cordoba.
See also
ABS-CBN franchise renewal controversy
National Telecommunications Commission
References
|-
1950 births
20th-century Filipino lawyers
Filipino business executives
Filipino Christians
Living people
Solicitors General of the Philippines
Heads of government agencies of the Philippines
People from Davao de Oro
People from Davao del Sur
Ateneo de Davao University alumni
Ateneo de Manila University alumni
Arroyo administration personnel
Duterte administration personnel
21st-century Filipino lawyers
Chairpersons of the Commission on Audit (Philippines) |
```python
from django import forms
from django.utils.translation import gettext_lazy as _
from core.models import DataFile, DataSource
from utilities.forms.fields import DynamicModelChoiceField
__all__ = (
'SyncedDataMixin',
)
class SyncedDataMixin(forms.Form):
data_source = DynamicModelChoiceField(
queryset=DataSource.objects.all(),
required=False,
label=_('Data source')
)
data_file = DynamicModelChoiceField(
queryset=DataFile.objects.all(),
required=False,
label=_('File'),
query_params={
'source_id': '$data_source',
}
)
``` |
Operation Tijuana or Operation Baja California ( Spanish: Operativo Tijuana or Operación Baja California) of the Government of Mexico is taking place in Tijuana and the surrounding areas of Baja California and Baja California Sur. This operation is part of the Joint Operation Against Drug Trafficking.
Joint forces
The operation was launched on January 2, 2007, with the deployment of 3,296 officers of the Secretaries of Defense, Navy, Public Security and the department of the Attorney General of Mexico. The Secretariat of Defense sent 2,620 soldiers, 21 airplanes, 9 helicopters, 28 ships, 247 tactical vehicles and ten drug-sniffing dogs. The Navy sent a sea patrol, three interceptor patrols, one helicopter, two support vehicles and 162 marines. The Department of Public Security took the tasks of patrolling, intelligence and investigation as well as taking part in executing orders of arrests, searches and seizures. The Attorney General's Office (PGR) took the tasks of elaborating a map of priorities and provide the tools for information exchange in real-time to facilitate detentions. The PGR will also be present in the 48 local prosecution offices to seize property and take down drug-processing labs. In May 2007, the operations were extended to lesser crimes. The Federal Police, formed by the Federal Agency of Investigation, were to provide 510 officers to participate in tactical analysis, crime investigation, regional security and special operations.
2007
The arrest of The "Cop Killer"
On April 3, The leader of a band of kidnappers Víctor Magno Escobar Luna (a.k.a. "El Matapolicías", "Cop killer") was apprehended, he was thought to have had links with the state police for at least ten years. He is also thought to have been a member of the state police for a few years.
General Hospital shootout
On April 18, 2007, a band of criminals entered the General Hospital of Tijuana, took hostages and tried to free a mafia boss that was being treated in the hospital. The liberation was unsuccessful, the criminals exchanged fire with the local police and Army units and were later intercepted but not apprehended by the state and federal police. Three people were reported dead after the shooting and five people apprehended later.
Ongoing confrontations
On August 27, police officers found three headless bodies in a rubbish dump in Tijuana, killed by drug cartels.
Disarmament of local police
On December 29, the entire police force in the town of Playas de Rosarito, Baja California, are disarmed from their weapons after suspicion of collaborating with drug cartels.
2007 Results
The federal forces took away the weapons of the local police officers giving an official explanation of doing a fingerprint-check on them. During this time crime increased 40% to 50% since police officers were left unarmed. Kidnappings decreased from six to two compared to 2006. Federal police officers have also been caught receiving bribes. Deaths by firearm dropped from only 27 in January 2006 to 23 in January 2007. Local police departments also reported increases of 400% of crime between minors.
In May 2007, after the disappointment of the population, President Felipe Calderón asked the public to be patient and declared that it may not be in his administration when the results of these operations will be seen.<ref name="Frontera-">Frontera, Pide Calderón tiempo a los tijuanenses, May 4, 2007.</ref>
2008
On 28 January, army personnel from the Army's 5th special forces battalion and 2nd Motorized Cavalry Regiment succeeded in the arrest of Alfredo Araujo Avila a.k.a. El Popeye in Tijuana. Alfredo Avila is known to be one of the most active assassins from the 1980s to the early 1990s of the Tijuana Cartel in the states of Sinaloa and Baja California.
On April 26, 15 gunmen from the Tijuana Cartel were killed in a gunbattle against rivals.
On May 18, In the city of Playas de Rosarito, Baja California, the 28th Infantry Battalion received a tip that men were unloading packages from a boat to three vehicles, immediately the army were dispatched to the area. Upon arriving the Air Recon team confirmed the report. Realizing they've been caught the men dispersed the area but were apprehended, 11 suspects were arrested along with 2 tons of marijuana.
Eduardo Arellano Félix
On October 26, Federal Police supported by special forces from 5th Special Forces Battalion capture drug lord Eduardo Arellano Félix a.k.a. "The Doctor" after a shootout in Tijuana.
2009
On October 3, the government ordered 300 Marines and Federal Police forces as "immediate response" to Tijuana, BC. the move comes after a serious number of attacks on Municipal Police officers.
2010
January 12 - Federal Police forces captured Tijuana drug lord Teodoro García Simental a.k.a. "El Teo" in his home in La Paz, Baja California Sur. Later on that day he was transported to Mexico City.
January 16 - Due to concerns of the increase of violence by the capture of El Teo, 1,000 military personnel both army and marines were sent to the most violent areas of Tijuana by the request of Baja California Governor José Guadalupe Osuna Millán.Note: (From April 16 to 30 State Preventive Police anti - drug operations are listed below) April 16 - Mexicali, In the Colonias of Carranza and Naranjos, six people who belong to the Sinaloa Cartel are arrested. 125.8 kilos of cocaine, 17.6 kilos of "ICE", assault rifles, rifle magazines and 25 vehicles were seized.
April 27 - Tijuana, In The Colonia of Lomas de la Presa four suspects were arrested who were in possession of 112 kilos of marijuana.
April 28 - Tijuana, In the Colonias of Gas and Anexas, three people who are assumed members of the Tijuana Cartel and who were under the command of Luis Fernando Sánchez Arellano were arrested. 2 assault rifles, 124 rifle magazines, 700 grams of "crystal", and 490 grams of marijuana were seized.
April 29 - In Mexicali in the Colonia of Alamitos, one known drug trafficker name Jorge Aaron Samanduras Hernandez'', 24 years old was arrested in possession of $110,000, 9 pistols, and 297 pistol magazines.
April 30 - Baja California's State Preventive Police (PEP) arrested 5 individual's that are link to the Sinaloa Cartel, after raiding a tire garage in Mexicali. Close to a ton of marijuana, 1 grenade launcher, 1 M2 Browning machine gun, various machine guns and rifle magazines were also seized during the operation.
June 8 - Mexican army troops arrested two Arellano Felix cartel members in the municipality of Comondú. Inés Zamudio Beltrán & Obed Güereña Arvizu are assumed to be Tijuana Cartel lieutenants of that municipality. Ines Zamudio Beltran is said to have links to the family of the municipality's Mayor Joel Villegas Ibarra. He was freed a month later.
2011
November 7 - Mexican army troops arrested Juan Francisco Sillas Rocha, Sillas Rochas was considered as the lieutenant of Luis Fernando Sánchez Arellano.
2012
April 27 - Baja California's State Preventive Police (PEP) arrested Octavio Leal Hernandez (El Chapito) a close lieutenant of Luis Fernando Sánchez Arellano.
July 3 - Mexican army troops arrested Julio Cesar Salas Quiñonez, Salas Quiñonez was considered as the lieutenant of Luis Fernando Sánchez Arellano.
2013
2014
2015
2016
2017
2018
2019
2020
2023
On July 13, 2023, a nearly 20 year investigation against dozens of Tijuana Cartel defendants concluded when former cartel hitman Juan Francisco Sillas Rocha pled guilty to three charges, including conspiracy to commit murder, in a U.S. federal court in Fargo, North Dakota.
See also
La Familia Michoacana
Gulf Cartel
Illegal drug trade
Juárez Cartel
Mérida Initiative
Mexican Drug War
Sinaloa Cartel
Tijuana Cartel
Los Zetas
References
2007 in Mexico
History of Tijuana
Operations against organized crime in Mexico
2007 crimes in Mexico
2007 introductions
21st century in Tijuana
Tijuana Cartel |
Levinhurst is an independent music band formed by British musician Lol Tolhurst, a founding member of The Cure, and his wife Cindy Levinson. Levinson provides vocals while Tolhurst writes the majority of the tracks, musically and lyrically, and programmes the drums and keyboards. To date, Levinhurst have released three studio albums - Perfect Life (2004); House by the Sea (2007); and Blue Star (2009) - and two extended plays - The Grey (2006) and Somewhere, Nothing Is Everything (2014). The Grey includes a cover of The Cure song "All Cats Are Grey", a song for which Tolhurst claims to have written the lyrics.
History
The band was formed in the early 2000s by Lol Tolhurst, a founding member of The Cure and his wife Cindy Levinson. Their debut album, Perfect Life, was released in March 2004. This was followed in October 2006 by an EP called The Grey. Their second album, House by the Sea, was released in April 2007.
The band's third album, Blue Star was released in 2009. It features Tolhurst and Levinson, plus other musicians including Michael Dempsey, the original bassist with The Cure. An international tour took place in 2010, promoting Blue Star.
Members
Current members
Cindy Levinson - vocals (2002–present)
Lol Tolhurst - drums, synthesizer, keyboards (2002–present)
Eric Bradley - guitar, bass, backing vocals (2007–present)
Michael Dempsey - bass, keyboards, guitar, string arrangements (2009–present)
Former members
Dayton Borders - guitar, keyboards (2002–2005)
Discography
Albums
Perfect Life (2004)
House by the Sea (2007)
Blue Star (2009)
EPs
The Grey (2006)
Somewhere, Nothing Is Everything (2014)
References
External links
Levinhurst on Myspace
Interview with Tolhurst at freewilliamsburg.com
Interview with Tolhurst at chaoscontrol.com
Techno music groups
British indie rock groups |
Prunella is an Italian fairy tale, originally known as Prezzemolina. Andrew Lang included it in The Grey Fairy Book. It is Aarne-Thompson type 310, the Maiden in the Tower.
Italo Calvino noted that variants were found over all of Italy. The captor who demands his captive perform impossible tasks, and the person, usually the captor's child, who helps with them, is a very common fairy tale theme—Nix Nought Nothing, The Battle of the Birds, The Grateful Prince, or The Master Maid—but this tale unusually makes the captive a girl and the person the captor's son.
Synopsis
Prunella
A girl went to school, and every day, she picked a plum from a tree along the way. She was called "Prunella" because of this. But the tree belonged to a wicked witch and one day she caught the girl. Prunella grew up as her captive.
One day, the witch sent her with a basket to the well, with orders to bring it back filled with water. The water seeped out every time, and Prunella cried. A handsome young man asked her what her trouble was, and told her that he was Bensiabel, the witch's son; if she kissed him, he would fill the basket. She refused, because he was a witch's son, but he filled the basket with water anyway. The witch then set her to make bread from un-milled-wheat while she was gone, and Prunella, knowing it was impossible, set to it for a time, and then cried. Bensiabel appeared. She again refused to kiss a witch's son, but he made the bread for her.
Finally, the witch sent her over the mountains, to get a casket from her sister, knowing her sister was an even more cruel witch, who would starve her to death. Bensiabel told her and offered to save her if she kissed him; she refused. He gave her oil, bread, rope, and a broom, and told her, at his aunt's house, to oil the gate's hinges, give a fierce dog the bread, give the rope to a woman trying to lower the bucket into the well by her hair, and give the broom to a woman trying to clean the hearth with her tongue. Then she should take the casket from the cupboard and leave at once. She did this. As she left, the witch called to all of them to kill her, but they refused because of what Prunella had given them.
The witch was enraged when Prunella returned. She ordered Prunella to tell her in the night which cock had crowed, whenever one did. Prunella still refused to kiss Bensiabel, but he told her each time the yellow, and the black. When the third one crowed, Bensiabel hesitated, because he still hoped to force Prunella to kiss him, and Prunella begged him to save her. He sprang on the witch, and she fell down the stairs and died. Prunella was touched by his goodness and agreed to marry and they lived happily ever after.
Translations
The tale originally appeared as Prezzemolina in 1879, collected from Mantua by Isaia Visentini. The stolen plant was originally parsley (prezzemolo in Italian), as in Rapunzel, but Andrew Lang changed it to a plum and the heroine's name to Prunella. Lang did not name a source for the story.
Author Ruth Manning-Sanders adapted the tale in her work A Book of Witches, wherein the witch's son's name was given as "Benvenuto".
Imbriani's La Prezzemolina
A version from Florence, Tuscany, was published in 1871 by Italian writer . Italo Calvino adapted it in his Italian Folktales.
Summary
Prezzemolina was captured not because of her own eating, but because of her mother's craving for, and theft of, fairies' parsley. The girl was seized when going to school, but after the fairies had sent her to tell her mother to pay what she owed, and the mother sent back that the fairies should take it.
The hero Memé, cousin of the fairies, helped Prezzemolina as Bensiabel did, despite her refusal of kisses. The fairies first order Prezzemolina to bleach the black walls of a room, then paint them with all birds of the air. Memé waves his magic wand and completes this task. Next, the fairies send Prezzemolina to collect a casket ("scatola del Bel-Giullare", in Imbriani's text; "Handsome Clown's box" in Calvino's; "Handsome Minstrel's box", in Zipes's) from the evil Morgan le Fay (Fata Morgana). Prezzemolina goes to Fata Morgana and meets four old women on the way: the first gives her a pot of grease to use on two creeking doors; the second gives her loaves of bread to use on her guard dogs; the third a sewing thread to be given to a cobbler; and the fourth a rag to be given to a baker that is cleaning an oven with their hands. The last woman also advises her to enter Fata Morgana's castle and, while she is away, she is to get the casket and run away as fast as possible. Fata Morgana commands the baker, the cobbler, the dogs and the doors to stop her, but, due to her kind actions, Prezzemolina escapes unscathed. Now at a distance, she opens the casket and a group of musicians escape from it. Memé appears and offers to close the box in exchange for a kiss. Prezzemolina declines, but Memé uses the magic wand to draw everyone back into the box. Prezzemolina then delivers the casket to the fairies. However, there was no test of identifying a rooster's crow.
In the end, Memé and Prezzemolina together destroyed the evil fairies. First they tricked and boiled three fairy ladies in the garden house, and then went to a room where they blew out the magic candles that held the souls of all the others, including Morgan's. They then took over all that had belonged to the fairies, married, and lived happily in Morgan's palace, where they were generous with the servants who had not attacked her despite Morgan's orders.
Analysis
Imbriani, commenting on the tale, noted its initial resemblance to the tale L'Orca, from the Pentamerone, but remarked that the second part of the story was close to The Golden Root. French comparativist Emmanuel Cosquin noted that Imbriani's Tuscan tale (Prezzemolina) contained the motif of a fairy antagonist imposing tasks on the heroine - akin to Psyche of her namesake myth -, also comparing it to Italian The Golden Root.
Calvino's tale (numbered 86 in his collection) was listed by Italian scholars and Liliana Serafini under type AaTh 428, Il Lupo ("The Wolf") (see below).
Laboulaye's Fragolette
French author Édouard René de Laboulaye published a retelling in which the plant was a strawberry, the heroine was renamed "Fragolette" (from the Italian fragola), and the hero was renamed Belèbon.
In Laboulaye's tale, the action is set in Mantua. A little girl likes to pick up strawberries, and thus is nicknamed "Fragolette" ('little strawberry'). One day, she is picking up berries in the usual spot, when something strikes the back of her head. It is a witch, who takes the girl on her broom to her lair. Once there, the witch forces Fragolette to be her servant. One day, she asks the girl to take a basket to the well and fill it with water. Fragolette goes to the well to fulfill the task, but the basket cannot hold any drop of water. She begins to cry, until a soft voice inquires what is her problem; it belongs to the son of the witch, Belèbon. He asks for a kiss, but Fragolette refuses. At any rate, Belèbon breathes into the basket, fills it with water and gives it to Fragolette.
The next time, the witch tells Fragolette she will travel to Africa and gives the girl a sack of wheat; Fragolette is to use the wheat and bake some loaves of bread for her when she returns later that night. Belèbon helps her by summoning with a whistle an army of rats that grind the wheat into flour and bake enough bread to fill the room.
Later, the witch orders Fragolette to go to Viperine, the witch's sister, and get from her a strong-box. Belèbon appears to her and instructs her on how to proceed: he gives her an oil can, a bread, a cord, and a little broom. She will first cross a dirty stream, she is to compliment it for it to allow her passage. She then is to use the oil on the hinges of a door, throw the bread to a dog, give the cord to a woman next to a well in the courtyard to draw water, the little broom to a cook in the kitchen to clean the oven, enter Viperine's room, get the box and escape. Fragolette follows the instructions to the letter, but Viperine wakes up. The witch's sister commands the cook, the woman at the well, the dog, the door hinges and the stream to stop her, but Fragolette returns safely with the box.
Lastly, Fragolette is to identify between three cocks which is the one who crows. With Belèbon's help, she says it is the white one. The witch springs a trap: she jumps at the girl, but Fragolette escapes through the window, while the witch catches her foot in the window and falls, the fall breaking at once her two tusks, the source of her life and power.
After the witch dies, Fragolette is free, and Belèbon, in love with her, tries to propose to her. Some time later, she concedes, and they are happily married.
Variants
Prezzemolina (Genova)
In a North Italian tale also titled Prezzemolina, a human couple live next to some ogresses. One day, the wife sees from her balcony some succulent parsley herbs (prezzemolo) she wants to eat. She creeps into the ogresses' garden, steals some herbs, and goes back home. When the ogresses return home, they notice their garden is ravaged, and set their youngest to watch over the garden. The next day, the young ogress catches the woman in the act, and brings her to her sister to decide his punishment. They strike a deal: the woman is to name her baby Prezzemolina ("Parsley") and give her to the ogresses. Years later, a baby girl is born and given the name Parsley. One day, she is met by the ogresses, who ask her to remind her mother of their deal. The ogresses shove the girl inside a sack and bring her to their lair. Intent on devouring her, the ogresses decide to have her as their servant, and postpone her death until she is old and plump enough. Time passes, and the girl busies herself with many household chores, like cooking and cleaning. When she goes to the well to fetch water, she hears someone wailing at the bottom of the well. She leans a bit to see who it is and finds a cat. She ropes the cat in a bucket, and the animal introduces itself as Gatto-Berlacco, and, whenever she needs any help, she just has to shout for him. Later, the ogresses decide to eat the girl, but first impose tasks on her, for, in case she fails, she will be devoured. The first task is for her go to the coal cellar and wash every black piece inside white. The girl cries over the impossibility of the task, and summons the cat. With a magic word, the cat fulfills the task for her. Next, the ogresses order her to go to the house of Maga Soffia-e-Risoffia, steal a cage with a bird named Biscotto-Binello, and get back before nine in the evening. The girl summons the cat again, who gives her some objects and advice on how to use them: she is to give a marble mortar and wooden pestle to a little witch making pesto, a Pasqualina pie to some guards, and use a pot of lard to oil the hinges of a door behind the guards. It happens as the cat describes. Prezzemolina opens the door, climbs up a staircase and fetches the bird. She passes by the guards and the witch, and goes back to the ogresses' lair. She stops before the cat, who becomes a human prince. He explains he was cursed by the ogresses into cat form, and shows Prezzemolina their captors, now marble statues. Italian writer sourced the tale from Genova.
La bella Prezzemolina (Padova)
Professor Cesare Cimegotto collected a tale from Padova, Veneto, with the Venetian title La Bella Parsembolina, which Italian writer published as La bella Prezzemolina ("Beautiful Prezzemolina"). In this tale, an old witch lives with her son Beniamino next to a human widow and her daughter. The girl, who is pregnant, wants to eat the prezzemolo from the witch's garden and steals some, until the witch discovers her and makes a pact for the girl to deliver her child after they are born. Time passes, and a baby girl is born, and given the name Prezzemolina. Despite her mother's best efforts, the witch captures her and takes her to her palace. The witch imposes hard tasks on her: first, to wash and iron a large quantity of linen. She cries over its difficulty, then the witch's son, Beniamino, offers to help her in exchange for a kiss. Prezzemolina refuses it, but the youth helps her anyway. Next, she is to make the bed in a way that it is possible to jump and dance on the bed without crumpling the sheets. Thirdly, the witch and her cohorts fill a casket with magic and order Prezzemolina to take it. Being curious, she opens it, and some creatures jump out of the box: in Cimegotto's text, a myriad of "folletti" (a type of imp or elf); in Coltro's text, the Massariol, Salbanei, Pesarol and Komparet - jump and dance around the box. Beniamino, who has followed Prezzemolina, locks the things back into the casket. Finally, the old witch decides to get rid of the girl by lighting a fire under a nut tree. Beniamino realizes his mother's trick and vows to free himself from her magic, so he plots with Prezzemolina: they approach the cauldron of boiling water and shove the witch inside. Free at last, Beniamino marries Prezzemolina. In his notes, Coltro remarked that the central action (heroine helped by the sorceress's son) also occurred in Basile's The Golden Root (Pentamerone, Day Five, Fourth Story).
La storia della Bella Parsemolina (Verona)
In a Veronese tale first collected in 1891 from informant Caterina Marsilli with the title La storia della Bella Parsemolina or La storia della bella Prezzemolina ("The tale of Beautiful Prezzemolina"), a pregnant woman lives next to an old ortolana woman, and steals parsley from the latter's garden to eat, until one day the ortolana discovers her. The woman promises to give the ortolana her first child, when she is born. Time passes, and a girl is born, given the name Bella Prezzemolina. Whenever she goes to school, she passes by the ortolana's house, who tells her to remind her mother of what was promised. The ortolana then kidnaps Prezzemolina and takes the girl to her castle as servant, imposing difficult tasks on her. First, the girl is to wash and iron all of her clothes while the ortolana is away. Prezzemolina cries a bit, until the ortolana's son, Bel Giulio, offers his help: he takes out a wand and with a magic command fulfills the task for her. Next, the ortolana orders the girl to clean the entire house, since her son is getting married. Bel Giulio uses the wand again to help her. Thirdly, the ortolana says she will place three roosters in the stables (a red, a black and a white one), and Prezzemolina has to guess which one will crow. Bel Giulio advises her to stay by the door to his room, where he will be with his wife, and he will whisper her the correct answer. The ortolana asks outside the room which cock crowed, but Prezzemolina keeps quiet. She enters the room and kills someone in their bed, then goes to sleep. The next day, she wakes up to make breakfast for her son and his wife, and sees Bel Giulio with Prezzemolina. Realizing she killed the wrong person, the ortolana kills herself. Bel Giulio lives happily ever after with Prezzemolina.
Other tales
In an Italian tale from Marche collected by philologist with the title El fijo de l'Orco ("The Son of the Ogre"), a pregnant woman develops a craving for the vegetables in the Ogre's garden, so much so she steals them without the Ogre knowing. However, one day, the Ogre discovers her and makes a deal: when the woman's child is born, they are to be delivered to the Ogre. The woman gives birth to a girl. One day, the Ogre spots the girl and asks her to remind her mother of her deal. The girl does as requested, and the woman delivers the girl to the Ogre, to the latter's great safisfaction. The monster takes the girl to a chamber filled to the ceiling with clothes and orders her to wash, iron and fold them, otherwise he will devour her. After the Ogre leaves, his son finds her crying and offers to help her in exchange for a kiss. She agrees, and the Ogre's son uses a magic wand to fulfill the task for her. The next day, the Ogre points the girl to a sack of grains she must thresh, winnow, and made into bread. Again, the Ogre's son helps her in exchange for a kiss and with the magic wand. Still trying to have her fail, the Ogre directs her to a mountain she must climb, enter a house and steal from there a scattoletta ('a small box'). The Ogre's son intercepts her, gives her some items and advises her how to proceed: she is to throw some pieces of bread to a pack of hungry dogs; place hay for some horses, give rope to a woman fetching water from a well with her hair, smear the hinges of a gate with grease, take the box and come back. The girl does as instructed and comes back with the small box. As a last attempt, the Ogre tells his son to throw the girl out of the window, for he will stay under it to devour the girl after she falls into his mouth. The son, however, conspires with the girl, opens the small box and releases fat monsters through the window, which his father eats and dies. The girl is free and marries the Ogre's son.
Professor Licia Masoni, from University of Bologna, collected two variants of Prezzemolina from two informants in Frassinoro. In both tales, the Prezzemolina-like protagonist is taken by a sorceress to her place and forced to perform tasks for her, one of which is to get a box from another sorceress.
Analysis
Tale type
Folklorist D. L. Ashliman, scholar Jack Zipes and Italian scholars and Liliana Serafini list Prezzemolina as a variant of tale type ATU 310, "The Maiden in the Tower" (akin to German Rapunzel), of the international Aarne-Thompson-Uther Index. Ashliman and Zipes also grouped Prunella under type 310.
The motif of the box from the witch appears in another tale type: ATU 425B, "Son of the Witch", which includes the ancient myth of Cupid and Psyche. In that regard, other scholars (like , Geneviève Massignon and Walter Anderson) classified Prezzemolina as type AaTh 428, "The Wolf", a tale type considered by some scholars to be a fragmentary version of type 425B (Cupid and Psyche).
Renato Aprile, editor of the Italian Catalogue of Tales of Magic, classifies Prezzemolina as type AT 428, Il Lupo ("The Wolf"), but recognizes that its starting episode, the theft of the herb prezzemolo, ties it closer to type AT 310, Prezzemolina.
Motifs
According to Danish scholar Inger Margrethe Boberg, the heroine's helper in type 428 may be a young man cursed to be an animal in Northern Europe, while in variants from Southern Europe her helper is the witch's own son, who falls in love with the heroine.
See also
The Tale about Baba-Yaga (Russian fairy tale)
The Little Girl Sold with the Pears
La Fada Morgana (Catalan folk tale)
The Man and the Girl at the Underground Mansion
Pájaro Verde (Mexican folktale)
Fairer-than-a-Fairy (Caumont de La Force)
Rapunzel
Graciosa and Percinet
Maroula
Puddocky
The Enchanted Canary
The King of Love
The Magic Swan Geese
The Two Caskets
The Water of Life
The Witch
References
External links
Prunella at SurLaLune Fairy Tales
Alternate link
Female characters in fairy tales
Italian fairy tales
Witchcraft in fairy tales
Stories within Italian Folktales
ATU 300-399
ATU 400-459 |
Shapeshifting is the third studio album by Young Galaxy, released on Paper Bag Records in February 2011. It was produced by Dan Lissvik of the Swedish duo Studio. Reviewed in Pitchfork, Andrew Gaerig called it the band's "finest record".
The album was named as a longlisted nominee for the 2011 Polaris Music Prize.
Production
The album was recorded by the three-piece in Montreal, Quebec, Canada, then sent to Gothenburg, Sweden, where Lissvik reworked the material. The band and producer collaborated using Skype to communicate over the nine-month duration. The group's method to composing the songs was described by songwriter/singer/guitarist Stephen Ramsay as "[i]nstead of picking up a guitar and finding the most brilliant melody we could, we tried to erase the shape of the songs." The band moved away from traditional verse-chorus structures towards a more "impressionistic" approach. Songs were written by Ramsay and McCandless, with Stephen Kamp playing bass.
Style
The album is described as a departure from their previous recording, Invisible Republic. Lissvik's more electronic-oriented roots resulted in "dance-inflected pop", as opposed to their more dream pop style on earlier records. Although Ramsay and McCandless share vocal duties on the recording, Shapeshifting sees singer/keyboardist Catherine McCandless moving into more of a "lead-singer role".
Video
Animated videos for "We Have Everything" and "Peripheral Visionaries" were produced by Los Angeles-based animator Sinbad Richardson. Both videos made part of the official selection of the Fest Anča animated film festival in Žilina, Slovakia.
Track listing
"Nth"
"The Angels Are Surely Weeping"
"Blown Minded"
"We Have Everything"
"For Dear Life"
"Peripheral Visionaries"
"High and Goodbye"
"Phantoms"
"Cover Your Tracks"
"B.S.E."
"Shapeshifting"
Formats
Released on compact disc and in MP3 format, the LP was also released in limited-run, 180-gram white and blue-marble vinyl editions.
References
2011 albums
Young Galaxy albums
Paper Bag Records albums
Sophisti-pop albums |
Kalā means 'performing art' in Sanskrit. In Hindu scripture, Shiva is the master of Kalā. In the Lalita Sahasranama, the Devi is invoked as an embodiment of the 64 fine arts.
64 Arts
The mastery of over 64 kinds of skills is called chatushashti Kalas. They are:
Geeta vidya: singing.
Vadya vidya: playing on musical instruments.
Nritya vidya: dancing.
Natya vidya: theatricals.
alekhya vidya: painting.
viseshakacchedya vidya: painting the face and body with color
tandula-kusuma-bali-vikara: preparing offerings from rice and flowers.
pushpastarana: making a covering of flowers for a bed.
dasana-vasananga-raga: applying preparations for cleansing the teeth, cloths and painting the body.
mani-bhumika-karma: making the groundwork of jewels.
sayya-racana: covering the bed.
udaka vadya: playing on music in water.
udaka-ghata: splashing with water.
citra-yoga: practically applying an admixture of colors.
malya-grathana-vikalpa: designing a preparation of wreaths.
sekharapida-yojana: practically setting the coronet on the head.
nepathya-yoga: practically dressing in the tiring room.
karnapatra-bhanga: decorating the tragus of the ear.
sugandha-yukti: practical application of aromatics.
bhushana-yojana: applying or setting ornaments.
aindra-jala: juggling.
kaucumara: a kind of art.
hasta-laghava: sleight of hand.
citra-sakapupa-bhakshya-vikara-kriya: preparing varieties of delicious food.
panaka-rasa-ragasava-yojana: practically preparing palatable drinks and tinging draughts with red color.
suci-vaya-karma: needleworks and weaving.
sutra-krida: playing with thread.
vina-damuraka-vadya: playing on vina- a stringed instrument and small two headed drum.
prahelika: making and solving riddles.
durvacaka-yoga: practicing language difficult to be answered by others.
pustaka-vacana: reciting books.
natikakhyayika-darsana: enacting short plays and anecdotes.
kavya-samasya-purana: solving enigmatic verses.
pattika-vetra-bana-vikalpa: designing preparation of shield, cane and arrows.
tarku-karma: spinning by spindle.
takshana: carpentry.
vastu-vidya: Architecture.
raupya-ratna-pariksha: testing silver and jewels.
dhatu-vada: metallurgy.
mani-raga jnana: tinging jewels.
akara jnana: mineralogy.
vrikshayur-veda-yoga: practicing medicine or medical treatment, by herbs.
mesha-kukkuta-lavaka-yuddha-vidhi: knowing the mode of fighting of lambs, cocks and birds.
suka-sarika-prapalana (pralapana): maintaining or knowing conversation between male and female cockatoos.
utsadana: healing or cleaning a person with perfumes.
kesa-marjana-kausala: combing hair.
akshara-mushtika-kathana: talking with fingers.
dharana-matrika: the use of amulets.
desa-bhasha-jnana: knowing provincial dialects.
nirmiti-jnana: knowing predictions by heavenly voice
yantra-matrika: mechanics.
mlecchita-kutarka-vikalpa: fabricating barbarous or foreign sophistry.
samvacya: conversation.
manasi kavya-kriya: flyting.
kriya-vikalpa: designing a literary work or a medical remedy.
chalitaka-yoga: practicing as a builder of shrines called after him.
abhidhana-kosha-cchando-jnana: the use of lexicography and meters.
vastra-gopana: concealment of cloths.
dyuta-visesha: knowing specific gambling.
akarsha-krida: playing with dice or magnet.
balaka-kridanaka: making children's toys.
vainayiki vidya: enforcing discipline.
vaijayiki vidya: gaining victory.
vaitaliki vidya: awakening master with music at dawn.
See also
Hindu art
References
External links
Krishna |
Jennings Lang (May 28, 1915, New York City – May 29, 1996, Palm Desert, California) was an American film producer, screenwriter, and actor.
Early life and career
Lang was born to a Jewish family in New York City. Originally a lawyer, practicing in New York City, Lang came to Hollywood in 1938. The following spring, he set up an office as a talent agent, together with his future wife, Flora Pam. In 1940 Lang joined the Jaffe agency and within a few years became the company's president, and came to be known as one of Hollywood's leading agents.
In 1950 he joined the MCA talent agency and two years later became vice president of MCA TV Limited; in this capacity, he worked with MCA's subsidiary Revue Productions involved in developing, creating, and selling new series in the 1950s and '60s, such as Wagon Train, The Bob Cummings Show, and McHale's Navy. He produced and executive-produced movies from 1969 to 1986; in the mid-1970s, Lang produced a series of major epics, including Airport 1975 and Earthquake; the latter picture used Sensurround to augment the onscreen action with sound waves that sent tremors throughout the theater.
Personal life
In 1940, Lang married fellow publicist Flora Pam Friedheim, with whom he fathered two sons, including jazz pianist/studio musician Mike Lang. In December 1951, Lang was shot in the left inner thigh by film producer Walter Wanger, who believed Lang was having an affair with his wife, actress Joan Bennett. Lang survived, and Wanger, pleading insanity, served four months in prison. Although Mrs. Lang publicly supported her husband, one reporter who had covered the original scandal, Will Fowler, recalled:
But the one person who was only fleetingly mentioned in the torrid front page affair, the one who publicly stated that she refused to believe her husband had been unfaithful, Mrs. Pam Lang, was driven into deep depression and a few months after the story quieted down, she died of a heart attack.
In 1956 Lang married actress-singer Monica Lewis and fathered one more son. The couple remained married until Lang's death in 1996.
Last years and death
A stroke in 1983 forced Lang's retirement. He died of pneumonia in 1996 in Palm Desert, California. Lang was survived by his wife Monica Lewis and three sons, two by his previous marriage.
Filmography
Producer
Tell Them Willie Boy Is Here (1969)
Act of the Heart (1970)
The Beguiled (1971)
They Might Be Giants (1971)
Play Misty for Me (1971)
Slaughterhouse-Five (1972)
The Great Northfield Minnesota Raid (1972)
Pete 'n' Tillie (1972)
High Plains Drifter (1973)
Charley Varrick (1973)
Breezy (1973)
Airport 1975 (1974)
Earthquake (1974)
The Front Page (1974)
Swashbuckler (1976)
Airport '77 (1977)
Rollercoaster (1977)
House Calls (1978)
Nunzio (1978)
The Concorde ... Airport '79 (1979)
House Calls (1979, TV series)
The Nude Bomb (1980)
Little Miss Marker (1980)
Masada (1981, TV miniseries)
The Sting II (1983)
Stick (1985)
Presenter
Play Misty for Me (1971)
The Eiger Sanction (1975)
Screenwriter
The Concorde ... Airport '79 (1979)
Actor
Real Life (1979)
References
Further reading
Fowler, Will (1991). Reporters: Memoir of a Young Newspaperman. Malibu, CA: Roundtable Publishing. . pp. 289–307.
External links
Jennings Lang at Yahoo! Movies
1915 births
1996 deaths
Film producers from California
20th-century American lawyers
Jewish American screenwriters
Burials at Desert Memorial Park
American shooting survivors
Deaths from pneumonia in California
Businesspeople from New York City
20th-century American businesspeople
Screenwriters from New York (state)
Film producers from New York (state)
Screenwriters from California
20th-century American screenwriters
20th-century American Jews |
The Croatian Army Training and Doctrine Command "Fran Krsto Frankopan" () is the primary military training organization of the Croatian Army established in July 2007. On 1 August 2019, Colonel Zlatko Radočaj took over as the current commander of the Croatian Army Training and Doctrine Command.
Mission
The mission of the Training and Doctrine Command is the "development and production of doctrinal publications and a complete training system, management of institutional training, provision of training resources, organization and training of contract reserves, collection, analysis and evaluation of lessons learned, all with the aim of raising the level of training success, equipping and the operational readiness of the individual and the unit could be distinguished as some.
By establishing a Training and Doctrine Command in one place, training is designed, created and implemented. The Training and Doctrine Command also develops all doctrinal publications, establishes training standards, thus directing the future of Croatian Army. Training and Doctrine Command is responsible for the development and development of the Croatian Army gender doctrine, and participates in the development and development of the Croatian Army tactical doctrine, the OSRH Training Doctrine, and the OSRH Joint Doctrine. By bringing all training activities together in one place, the quality of the training has been significantly improved.
The Training and Doctrine Command also provides training to members of other branches of the Croatian Armed Forces, and cooperates with the HVU in the field of training. Training and Doctrine Command also conducts about 50 courses, of which the vast majority of courses have a selection character. These are basic military training courses, the development of basic leadership skills, and a basic course in the use of SALW. As part of specialist military training, he conducts training and courses in all combat and combat support types. A large number of courses are conducted as part of functional training. In our Department of Training and Doctrine, each gender has its own experts who can answer questions about gender development at any time, be it human, material, training or doctrinal potential.
Organization
Training and Doctrine Command consists of ten organizational units. The House of Commands is in charge of the smooth functioning of the Training and Doctrine Command. The Training and Doctrine Command has four centers that carry out its tasks. The Požega Basic Training Center is in charge of training volunteer conscripts, cadet selection camps, they also conduct a Core Leadership Development Course, and their instructors also participate in other Training and Doctrine Command training tasks.
The combat training center at the Eugen Kvaternik military training ground in Slunj is tasked with conducting all training activities and monitoring the exercise units in combat conditions with ground exercises. It is done with the help of the MILES 2000 system, and after the completion of each training activity, the unit that participated in the training on the ground receives the so-called Bring the package home with everything the unit did during the analysis exercise.
The Training and Doctrine Command also includes a Simulation Center located on the HVU. It is equipped with the best simulation system in existence, JCATS.
Rakitje has a Training Center for International Military Operations, which runs a series of courses on NATO and UN programs and is indispensable in preparing our and other members of the AF of other countries to participate in international missions. Intensive work is being done to transform it into a regional center.
In addition to the center, there are five regiments within the Training and Doctrine Command, which deploy the Croatian Army active reserve, namely: Infantry Regiment, Artillery-Rocket Regiment, Engineering, Logistics and Air Defense Regiment . Their task is twofold. They are responsible for conducting specialist training and functional courses, and are responsible for setting up and maintaining an active reserve.
The Training and Doctrine Command also includes the military fields "Gasinci" and "Eugen Kvaternik" Slunj. In addition to managing them, the Training and Doctrine Command creates their appearance, creates new training infrastructure and prescribes how it will be implemented.
Croatian Army Training and Doctrine Command
Command (Osijek)
Command Company (Osijek)
Infantry Regiment (Gašinci)
Artillery-Rocket Regiment (Bjelovar)
Air Defense Regiment (Zadar)
Engineering Regiment (Karlovac)
River Battalion (Osijek)
Logistics Regiment (Benkovac)
Military Training Grounds
Gašinci (Gašinci)
Eugen Kvaternik (Slunj)
Training Centres
Basic Training Center (Požega)
Combat Training Center (Slunj)
Simulation Centre (Lucko Zagreb)
International Military Operations Training Centre (Rakitje Zagreb)
References
Military installations of Croatia
2007 establishments in Croatia |
Grindleford is a civil parish in the Derbyshire Dales district of Derbyshire, England. The parish contains 26 listed buildings that are recorded in the National Heritage List for England. Of these, one is listed at Grade I, the highest of the three grades, one is at Grade II*, the middle grade, and the others are at Grade II, the lowest grade. The parish contains the village of Grindleford and the surrounding countryside. Most of the listed buildings are houses, cottages and farmhouses and associated structures. The other listed buildings include a former gatehouse converted into a chapel, two bridges, a milestone and a milepost, a former cotton mill, a former toll house, and another chapel.
Key
Buildings
References
Citations
Sources
Lists of listed buildings in Derbyshire |
Kobayashi Eitaku (, 22 April 1843 – 27 May 1890) was a Japanese artist and illustrator specializing in ukiyo-e and nihonga.
Biography
Eitaku was born 22 April 1843, a third son of Miura Kichisaburo. At the age of 12 or 13 he became an apprentice under the Kanō school painter Kanō Eishin. Few years later he started to work for Ii Naosuke of Ii clan in Hikone as an official painter, he was given a samurai status. Ii Naosuke was assassinated in 1860, after that Eitaku started travel through the country, and then settled in Nihonbashi.
After he left the Kanō school to produce ukiyo-e, it is said that the ukiyo-e painter Kawanabe Kyōsai took care of him. He studied different styles of painting, both Ming and Western; he studied ukiyo-e with Yoshitoshi and started to produce colourful prints after c. 1870. he also worked as an illustrator for the Yokohama mainichi shimbun newspaper, and created illustration for books.
Eitaku's work long suffered the same low critical esteem in Japan as that of his contemporary, late-era ukiyo-e artists. It was valued more highly in the West—his painting Sugawara Michizane Praying on Tenpai-zan ( , 1880) won a place in the Museum of Fine Arts, Boston.
Gallery
References
Works cited
External links
Eitaku prints at ukiyo-e.org
Lambiek Comiclopedia page
1843 births
1890 deaths
19th-century Japanese painters
Ukiyo-e artists
Nihonga painters
Japanese illustrators |
Kermit LeMoyne Staggers II (November 2, 1947 – November 28, 2019) was an American politician. He served in the South Dakota Senate from 1995 to 2002. He unsuccessfully ran for Mayor of Sioux Falls, South Dakota in 2010.
Biography
Staggers was born in Washington, Pennsylvania. He received his bachelor's and master's degree from University of Idaho. He then received his doctorate degree from Claremont Graduate University. Staggers served in the United States Air Force from 1970 to 1978 and was commissioned captain. In 1982 he moved with his wife and family and taught at the University of Sioux Falls from 1982 to 2016. He served on the Sioux Falls City Council from 2002 to 2012.
Staggers died while in hospice care in Sioux Falls on November 28, 2019, at the age of 72.
References
1947 births
2019 deaths
People from Washington, Pennsylvania
Politicians from Sioux Falls, South Dakota
Military personnel from Pennsylvania
University of Idaho alumni
Claremont Graduate University alumni
University of Sioux Falls people
South Dakota city council members
Republican Party South Dakota state senators |
Magnus Hart (; born 20 April 1996) is a Chinese-born, Norwegian footballer.
Club career
Hart signed his first professional contract with Tippeligaen side Sarpsborg 08 in 2016, having made two substitute appearances for the Sarpsborg-based club the previous season. He signed for 2. Divisjon side Kvik Halden in 2017.
Career statistics
Club
Notes
References
1996 births
Living people
Sportspeople from Shanghai
Norwegian men's footballers
Men's association football midfielders
Eliteserien players
Norwegian Third Division players
Norwegian Fourth Division players
Drøbak-Frogn IL players
Fredrikstad FK players
Sarpsborg 08 FF players
Kvik Halden FK players |
```java
/*
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
package org.apache.shardingsphere.sharding.route.engine.condition.generator.impl;
import com.google.common.collect.Range;
import org.apache.shardingsphere.sharding.route.engine.condition.Column;
import org.apache.shardingsphere.sharding.route.engine.condition.value.ListShardingConditionValue;
import org.apache.shardingsphere.sharding.route.engine.condition.value.RangeShardingConditionValue;
import org.apache.shardingsphere.sharding.route.engine.condition.value.ShardingConditionValue;
import org.apache.shardingsphere.sql.parser.statement.core.segment.dml.column.ColumnSegment;
import org.apache.shardingsphere.sql.parser.statement.core.segment.dml.expr.BinaryOperationExpression;
import org.apache.shardingsphere.sql.parser.statement.core.segment.dml.expr.complex.CommonExpressionSegment;
import org.apache.shardingsphere.sql.parser.statement.core.segment.dml.expr.simple.LiteralExpressionSegment;
import org.apache.shardingsphere.sql.parser.statement.core.segment.dml.expr.simple.ParameterMarkerExpressionSegment;
import org.apache.shardingsphere.sql.parser.statement.core.value.identifier.IdentifierValue;
import org.apache.shardingsphere.timeservice.core.rule.TimestampServiceRule;
import org.junit.jupiter.api.Test;
import java.util.Collections;
import java.util.LinkedList;
import java.util.Optional;
import static org.hamcrest.CoreMatchers.instanceOf;
import static org.hamcrest.CoreMatchers.is;
import static org.hamcrest.MatcherAssert.assertThat;
import static org.junit.jupiter.api.Assertions.assertFalse;
import static org.junit.jupiter.api.Assertions.assertTrue;
import static org.mockito.Mockito.mock;
class ConditionValueCompareOperatorGeneratorTest {
private final ConditionValueCompareOperatorGenerator generator = new ConditionValueCompareOperatorGenerator();
private final Column column = new Column("id", "tbl");
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValue() {
int value = 1;
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, value), "=", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(((ListShardingConditionValue<Integer>) shardingConditionValue.get()).getValues().contains(value));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateNullConditionValue() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, null), "=", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(((ListShardingConditionValue<Integer>) shardingConditionValue.get()).getValues().contains(null));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithLessThanOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, 1), "<", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(Range.lessThan(1).encloses(((RangeShardingConditionValue<Integer>) shardingConditionValue.get()).getValueRange()));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@Test
void assertGenerateNullConditionValueWithLessThanOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, null), "<", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertFalse(shardingConditionValue.isPresent());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithGreaterThanOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, 1), ">", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(Range.greaterThan(1).encloses(((RangeShardingConditionValue<Integer>) shardingConditionValue.get()).getValueRange()));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithAtMostOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, 1), "<=", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(Range.atMost(1).encloses(((RangeShardingConditionValue<Integer>) shardingConditionValue.get()).getValueRange()));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithAtLeastOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, 1), ">=", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertTrue(Range.atLeast(1).encloses(((RangeShardingConditionValue<Integer>) shardingConditionValue.get()).getValueRange()));
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@Test
void assertGenerateConditionValueWithErrorOperator() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, 1), "!=", null);
assertFalse(generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class)).isPresent());
}
@Test
void assertGenerateConditionValueWithoutNowExpression() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new CommonExpressionSegment(0, 0, "value"), "=", null);
assertFalse(generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class)).isPresent());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithNowExpression() {
BinaryOperationExpression rightValue = new BinaryOperationExpression(0, 0, mock(ColumnSegment.class), new LiteralExpressionSegment(0, 0, "now()"), "=", null);
Optional<ShardingConditionValue> shardingConditionValue = generator.generate(rightValue, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertTrue(shardingConditionValue.isPresent());
assertFalse(((ListShardingConditionValue<Integer>) shardingConditionValue.get()).getValues().isEmpty());
assertTrue(shardingConditionValue.get().getParameterMarkerIndexes().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
void assertGenerateConditionValueWithParameter() {
ColumnSegment left = new ColumnSegment(0, 0, new IdentifierValue("id"));
ParameterMarkerExpressionSegment right = new ParameterMarkerExpressionSegment(0, 0, 0);
BinaryOperationExpression predicate = new BinaryOperationExpression(0, 0, left, right, "=", "id = ?");
Optional<ShardingConditionValue> actual = generator.generate(predicate, column, Collections.singletonList(1), mock(TimestampServiceRule.class));
assertTrue(actual.isPresent());
assertThat(actual.get(), instanceOf(ListShardingConditionValue.class));
ListShardingConditionValue<Integer> conditionValue = (ListShardingConditionValue<Integer>) actual.get();
assertThat(conditionValue.getTableName(), is("tbl"));
assertThat(conditionValue.getColumnName(), is("id"));
assertThat(conditionValue.getValues(), is(Collections.singletonList(1)));
assertThat(conditionValue.getParameterMarkerIndexes(), is(Collections.singletonList(0)));
}
@Test
void assertGenerateConditionValueWithoutParameter() {
ColumnSegment left = new ColumnSegment(0, 0, new IdentifierValue("order_id"));
ParameterMarkerExpressionSegment right = new ParameterMarkerExpressionSegment(0, 0, 0);
BinaryOperationExpression predicate = new BinaryOperationExpression(0, 0, left, right, "=", "order_id = ?");
Optional<ShardingConditionValue> actual = generator.generate(predicate, column, new LinkedList<>(), mock(TimestampServiceRule.class));
assertFalse(actual.isPresent());
}
}
``` |
James G. Perkins is a former English rugby union coach and currently, Chief Operating Officer at Procopio, Cory, Hargreaves & Savitch LLP, as well as director of the United States Rugby Football Federation.
Career
After moving from England to the United States, Jim Perkins played rugby in the Chicago Lions. When his playing days were over, Perkins began a long coaching career, coaching the Midwest All-Stars before coaching the United States National Rugby Team. Perkins retired from coaching after taking the Eagles to the 1991 Rugby World Cup. He is currently COO of Procopio, Cory, Hargreaves & Savitch, LLP, in San Diego.
Notes
External links
Date of birth unknown
English rugby union coaches
British expatriates in the United States
Living people
Year of birth missing (living people) |
Jesper Erik Mathias Dahlbäck (born October 14, 1974) is a Swedish techno DJ and producer. Besides his real name, he has used various stage names and pseudonyms such as Lenk, Dahlback, Dick Track, Faxid, Groove Machine, Janne Me' Amazonen, The Pinguin Man oder DK (with Thomas Krome). Hugg & Pepp / Pepp & Kaliber are names of duos for his common collaborative work with his cousin John Dahlbäck. ADJD is used for his collaborations with Alexi Delano. He also uses the names The Persuader and Sunday Brunch together with Jean-Luis Huhta.
He started producing tracks at 17 influenced by the Detroit techno and artists from UK and Germany. In 1993 he founded the Globe Studios together with Adam Beyer and Peter Benisch. He distributed tracks through Planet Rhythm. Working with Cari Lekebusch and Adam Beyer, he gained notoriety in Sweden and throughout Europe with his versatile house music through the specialized label Svek becoming a prominent producer with them. In 1998 and 2001, the label won Swedish Grammy music prize nominations. In 2004, he had an international hit with Canadian producer Tiga called "Pleasure From The Bass". Jesper also co-produced Tiga's 2005 album Sexor alongside Jori Hulkkonen and Soulwax.
More recently, he has started releasing more classical tracks with Acidsounds. Struggling with tinnitus, he has withdrawn from public performances concentrating on music production work.
Discography
1997: Midnight Express (12") [Svek]
1997: The Persuader (12") [Svek]
1997: With Compliments (12") [Svek]
1998: JD's Power Tools Vol. I (12") [Blank LTD]
1999: Nueva York (12") [Blank LTD]
2000: Sand & Vatten (12") [Svek]
2001: JD's Power Tools Vol. II (12") [Blank LTD]
2001: Sommar EP (12") [Svek]
2003: Hans EP (12") [Jericho]
2003: Summer Jam Madness EP (12") [20:20 Vision]
2004: Finnish Folksong (12") [Special Needs Recordings]
2004: JD's Acid Power (12") [Blank LTD]
2004: Machine Dance (12") [DK Records]
2004: Number In Between (12") [Soma Quality Recordings]
2005: Polyhouse (12") [DK Records]
2006: As If Dubs (12") [Mad Eye]
2007: ADJDs's Chronicle Of The Urban Dwellers (Album) [Harthouse]
References
External links
Official website
1974 births
Living people
Musicians from Stockholm
Swedish DJs
Swedish electronic musicians
Swedish record producers
Electronic dance music DJs |
```objective-c
function two_d_grad_wrapper_hw()
% two_d_grad_wrapper.m is a toy wrapper to illustrate the path
% taken by gradient descent depending on the learning rate (alpha) chosen.
% Here alpha is kept fixed and chosen by the use. The corresponding
% gradient steps, evaluated at the objective, are then plotted. The plotted points on
% the objective turn from green to red as the algorithm converges (or
% reaches a maximum iteration count, preset to 50).
%
% (nonconvex) function here is
% g(w) = -cos(2*pi*w'*w) + w'*w
%
% This file is associated with the book
% "Machine Learning Refined", Cambridge University Press, 2016.
% by Jeremy Watt, Reza Borhani, and Aggelos Katsaggelos.
%%% runs everything %%%
run_all()
%%%%%%%%%%%% subfunctions %%%%%%%%%%%%
%%% performs gradient descent steps %%%%
function [w,in,out] = gradient_descent(alpha,w)
% initializations
grad_stop = 10^-5;
max_its = 50;
iter = 1;
grad = 1;
in = [w];
out = [-cos(2*pi*w'*w) + 2*w'*w];
% main loop
while norm(grad) > grad_stop && iter <= max_its
% take gradient step
% ----> grad =
w = w - alpha*grad;
% update containers
in = [in, w];
out = [out, -cos(2*pi*w'*w) + 2*w'*w];
% update stopers
iter = iter + 1;
end
end
function run_all()
% dials for the toy
alpha = 10^-2; % step length/learning rate (for gradient descent). Preset to alpha = 10^-3
for j = 1:2
x0 = [-.7;0]; % initial point (for gradient descent)
if j == 2
x0 = [.85;.85];
alpha = 3*10^-3;
end
%%% perform gradient descent %%%
[x,in,out] = gradient_descent(alpha,x0);
%%% plot function with grad descent objective evaluations %%%
hold on
plot_it_all(in,out)
end
end
%%% plots everything %%%
function plot_it_all(in,out)
% print function
[A,b] = make_fun();
% print steps on surface
plot_steps(in,out,3)
set(gcf,'color','w');
end
%%% plots everything %%%
function [A,b] = make_fun()
range = 1.15; % range over which to view surfaces
[a1,a2] = meshgrid(-range:0.04:range);
a1 = reshape(a1,numel(a1),1);
a2 = reshape(a2,numel(a2),1);
A = [a1, a2];
A = (A.*A)*ones(2,1);
b = -cos(2*pi*A) + 2*A;
r = sqrt(size(b,1));
a1 = reshape(a1,r,r);
a2 = reshape(a2,r,r);
b = reshape(b,r,r);
h = surf(a1,a2,b)
az = 35;
el = 60;
view(az, el);
shading interp
xlabel('w_1','Fontsize',18,'FontName','cmmi9')
ylabel('w_2','Fontsize',18,'FontName','cmmi9')
zlabel('g','Fontsize',18,'FontName','cmmi9')
set(get(gca,'ZLabel'),'Rotation',0)
set(gca,'FontSize',12);
box on
colormap gray
end
% plot descent steps on function surface
function plot_steps(in,out,dim)
s = (1/length(out):1/length(out):1)';
colorspec = [s.^(1),flipud(s) ,zeros(length(out),1)];
width = (1 + s)*5;
if dim == 2
for i = 1:length(out)
hold on
plot(in(1,i),in(2,i),'o','Color',colorspec(i,:),'MarkerFaceColor',colorspec(i,:),'MarkerSize',width(i));
end
else % dim == 3
for i = 1:length(out)
hold on
plot3(in(1,i),in(2,i),out(i),'o','Color',colorspec(i,:),'MarkerFaceColor',colorspec(i,:),'MarkerSize',width(i));
end
end
end
end
``` |
Kisling is a German language surname. It may refer to:
Jérémie Kisling (born 1976), Swiss singer-songwriter
Moïse Kisling (1891–1953), Polish painter
Richard D. Kisling (1923–1985), American aviator
Other uses
Gutten Kisling, fictional character in the game Okage: Shadow King
See also
Kissling
German-language surnames
Surnames of Jewish origin |
Bill Muirhead was a Scottish curler. He is a silver medallist (, ), bronze medallist () and three-time Scottish men's champion. His daughter Billie-May competed at the . His brother Thomas (Tom) Muirhead is the father of Gordon and grandfather of Glen, Eve, and Thomas Muirhead. Bill previously coached David Smith in the 1980's.
Teams
References
External links
Living people
Scottish male curlers
Scottish curling champions
1928 births |
Constance Grewe (born 14 December 1946 in Stuttgart) is a German-French academic, former judge of the Constitutional Court of Bosnia and Herzegovina. She is Professor Emeritus at the University of Strasbourg.
Biography
Constance Grewe is the daughter of the German professor of international law and diplomat Wilhelm Grewe.
Grewe earned her bachelor's degree at Frankfurt in 1966 and completed her studies in law in Giessen, Germany until 1967 and in France at the Faculty of Law in Caen from 1967 until 1974. She became a French citizen in 1969. In 1979 she obtained her Ph.D. at the University of Caen with a thesis on Germany's cooperative federalism. From 1981 to 1983 she was professor at the University of Chambéry and from 1983 to 1997 professor at the University of Caen. She was responsible for the Fundamental Rights Research Department. Since 1997 she has been professor at the University Robert Schumann of Strasbourg. In period from 1998 to 2000 she was Director of the Institute of Comparative Law. She is a member of the Institut de recherche Carré de Malberg (IRCM) and was the Head of IRCM.
She published a number of books and scientific articles from the field of Comparative Constitutional Law, German Constitutional Law and interactions between international and internal law.
She was a member of the Scientific Council of the University of Caen until 1997. Since 1997 she has been a member of the Scientific Council of the University Robert Schumann of Strasbourg. She was a vice president in charge of research.
In addition she was a member of the executive committee of the Association française des constitutionnalistes (AFDC) and of the Societas iuris publici europaei (SIPE). She was also a member of the Editorial Advisory Board of the Law Journal EuGRZ (Europäische Grundrechte Zeitschrift) and an expert at the Council of Europe.
On 24 May 2004 she was appointed international judge at the Constitutional Court of Bosnia and Herzegovina by the President of the European Court of Human Rights. She served until age 70 in 2016.
Awards and honors
2008: Gay-Lussac-Humboldt-Prize
2012: Honorary doctorate from the University of Basel
2012: Officer of the Legion of Honor
References
External links
Constance Grewe Constitutional Court of Bosnia and Herzegovina
1946 births
Living people
Legal educators
Legal writers
German women judges
University of Caen Normandy alumni
Academic staff of the University of Caen Normandy
German judges on the courts of Bosnia and Herzegovina
Judges of the Constitutional Court of Bosnia and Herzegovina
German legal scholars
Scholars of constitutional law
Constitutional court women judges
20th-century German judges
21st-century German judges
Women legal scholars
20th-century women judges
21st-century women judges
20th-century German women
21st-century German women |
Christina Hayworth (1940s- February 8, 2021) was an American AIDS and transgender rights activist and journalist. Born in Humacao, Puerto Rico, Hayworth focused most of her work in New York and Puerto Rico. She was a colonel in the US Army, where she was a part of the US occupation of Vietnam. Hayworth was present at the Stonewall riots of 1969 and became a Stonewall Veterans Association (SVA) ambassador to Latin America.
Activism and legacy
Known as one of the first openly trans women in Puerto Rico, Hayworth was the founder of Herencia de Orgullo (Heritage of Pride). She led the first pride parade in Puerto Rico on June 13, 1991, which ran from Luis Muñoz Rivera Park to Puerta de Tierra in Condado.
Alongside her friend Sylvia Rivera, she appeared in the first portrait of transgender Americans included in the Smithsonian's National Portrait Gallery. The portrait, taken by Puerto Rican photographer Luis Carle in 2000, was installed in the Struggle for Justice exhibition in October 2015.
Puerto Rico
After moving to Puerto Rico for some time, Hayworth continued her work as an activist and journalist. She was the president of the Heritage of Pride Puerto Rico (HPPR), which focused on LBGTQ issues and concerns on the island. Aside from organizing the first pride parade in Puerto Rico in 1990, Hayworth helped organize another pride parade in the capital city every June in collaboration with the Coalición de Orgullo Arco Iris (Rainbow Pride Coalition) (COA) in 2003.
During her time on the island, Hayworth became more involved with the Puerto Rican government. Hayworth was an independent candidate for mayor of San Juan, where she advocated for AIDS awareness in Puerto Rico. In 2011, she ran for Senator on behalf of the New Progressive Party.
In 2013, Evangelical pastor Jorge Raschke revealed to Puerto Rican media that Hayworth had been living in an abandoned and condemned building and was homeless. This led to Carmen Yulín Cruz Soto, the mayor of San Juan at the time, to offer Hayworth help. She was taken to Hogar Perla de Gran Precio (Home Pearl of Great Price), an organization focused on providing homes for people in Puerto Rico.
Death
Hayworth died in Puerto Rico on February 8, 2021.
References
1940s births
2021 deaths
People from Humacao, Puerto Rico
Puerto Rican journalists
Transgender rights activists
American transgender writers
United States Army colonels
United States Army personnel of the Vietnam War
Puerto Rican transgender people
Transgender women writers
Transgender history in the United States |
```c++
#include "vtuneapi.h"
#ifdef _MSC_VER // for msvc
#include <cstdlib>
#endif
std::map<std::string, std::shared_ptr<VTuneDomain>> VTuneDomain::domains_;
std::map<std::string, __itt_string_handle*> VTuneDomain::string_handlers_;
std::shared_ptr<VTuneDomain> VTuneDomain::createDomain(
const char* domain_name) {
auto domain = getDomain(domain_name);
if (domain == nullptr) {
#ifdef _MSC_VER // for msvc
wchar_t buffer[255];
mbstowcs(buffer, domain_name, 255);
__itt_domain* itt_domain = __itt_domain_create(buffer); // call api
#else // for clang and gcc
__itt_domain* itt_domain = __itt_domain_create(domain_name); // call api
#endif
if (itt_domain != NULL) {
std::string key(domain_name);
std::shared_ptr<VTuneDomain> value(new VTuneDomain(itt_domain));
domain = value;
domains_.insert(std::make_pair(key, value));
}
}
return domain;
}
void VTuneDomain::destroyDomain(const char* domain_name) {
auto it = domains_.find(domain_name);
if (it != domains_.end()) {
domains_.erase(it);
}
}
std::shared_ptr<VTuneDomain> VTuneDomain::getDomain(const char* domain_name) {
std::shared_ptr<VTuneDomain> result(nullptr);
auto it = domains_.find(domain_name);
if (it != domains_.end()) {
result = it->second;
}
return result;
}
__itt_string_handle* VTuneDomain::getString(const char* str) {
__itt_string_handle* result = NULL;
auto it = string_handlers_.find(str);
if (it != string_handlers_.end()) {
result = it->second;
} else {
#ifdef _MSC_VER // for msvc
wchar_t buffer[255];
mbstowcs(buffer, str, 255);
result = __itt_string_handle_create(buffer); // call api
#else // for clang and gcc
result = __itt_string_handle_create(str);
#endif
std::string key(str);
string_handlers_.insert(std::make_pair(key, result));
}
return result;
}
bool VTuneDomain::beginTask(const char* task_name) {
bool result = false;
__itt_string_handle* name = getString(task_name);
if (name != NULL) {
__itt_task_begin(domain_, __itt_null, __itt_null, name);
result = true;
}
return result;
}
void VTuneDomain::endTask() { __itt_task_end(domain_); }
``` |
```javascript
import React, { Component } from 'react'
export default class Index extends Component {
static getInitialProps() {
return { color: 'aquamarine' }
}
render() {
return (
<div>
{[1, 2].map(idx => (
<div key={idx}>
{[3, 4].map(idx2 => (
<div key={idx2}>{this.props.color}</div>
))}
</div>
))}
{[1, 2].map(idx => (
<div key={idx}>
<div>
{this.props.color}
<div className="something">
<React.Fragment>
<div>
<div>{this.props.color} hello there</div>
</div>
</React.Fragment>
</div>
</div>
</div>
))}
<style jsx>{`
div {
background: ${this.props.color};
}
`}</style>
</div>
)
}
}
``` |
In the military science of fortification, wire obstacles are defensive obstacles made from barbed wire, barbed tape or concertina wire. They are designed to disrupt, delay and generally slow down an attacking enemy. During the time that the attackers are slowed by the wire obstacle (or possibly deliberately channelled into killing zones, or both) they are easy to target with machine gun and artillery fire. Depending on the requirements and available resources, wire obstacles may range from a simple barbed wire fence in front of a defensive position, to elaborate patterns of fences, concertinas, "dragon's teeth" (which serve a similar purpose as wire obstacles, but for combat vehicles instead) and minefields (both anti-personnel and anti-armor) hundreds of metres thick.
One example is "low wire entanglement", which consists of irregularly placed stakes that have been driven into the ground with only some 15 cm (six inches) showing. The barbed wire is then wrapped and tightened on to these. An enemy combatant running through the barrier, which is difficult to see, is apt to trip and get caught.
History
Wire obstacles were used by Union Army general Ambrose Burnside during the Battle of Fort Sanders in the Knoxville campaign of the American Civil War, when telegraph wire was strung between tree stumps 30 to 80 yards in front of one part of the Union line. The Royal Danish Army also used wire fences in front of its Danevirke fortifications during the Second Schleswig War. They first saw significant military use by British forces during the Second Boer War, and reached the pinnacle of visibility during World War I where they indirectly, together with machine guns, were responsible for many (although not the majority of) casualties in the trench warfare that dominated that conflict. Wire obstacles served to magnify the substantial advantage that the repeating rifle and rapid-firing artillery, along with machine guns, had given to the defending side in the new era of warfare.
World War I entanglements could in some places be tens of metres thick and several metres deep, with the entire space filled with a random, tangled mass of barbed wire. Entanglements were often not created deliberately, but by pushing together the mess of wire formed when conventional barbed wire fences had been damaged by artillery shells. Whenever there was time and opportunity to plan and emplace wire obstacles during World War I, it was standard practice to deploy designs that would channel and concentrate attacking troops, through avenues of approach, herding them like cattle into designated killing zones i.e. fixing multiple screw pickets of wire running diagonally, away from the protected zone. This meant that a belt-fed machine-gun such as the Maschinengewehr 08 sited along that diagonal line had easy targets to enfilade when attacking troops were blocked from advancing by the wire and then massed together in a line.
Another method was to deliberately leave attractive-looking gaps in wire obstacles to give the appearance of a weak link in the defences. Such gaps were designed to act like a funnel, luring attacking troops through the opening and straight into the concentrated direct and enfilade fire of different machine gun emplacements. Because multiple water-cooled machine-guns such as the Vickers gun were used, continuous fire could be sustained for hours at a time if required. Methods for soldiers to face this threat were a small wheeled steel plate that was slowly pushed forward in front of the soldier to shield them from bullet fire as they crawled, shielded machine gun carts, the MacAdam Shield Shovel or systems like the mobile personnel shield among others. When the obstacle was reached, access holes in the shield allowed the attacking soldier to cut away at the wire obstacle with pliers from behind the protection of the armored shield.
Stormtrooper platoons included ballistic shields in their equipment list, as infiltration was one of their specialities. Relatively elaborate obstacles were also used in some phases of the Korean War, and continue to be used on the Korean Demilitarized Zone, and a few other borders. However the more fluid nature of modern war means that most obstacles used today are relatively simple, temporary barriers. Tanks and light armored vehicles can generally flatten unmined wire obstacles, although the wire can become entangled in the tracks and immobilize the vehicle. This can also occur to wheeled vehicles once the wire becomes wrapped around the axle. Wire obstacles can also be breached by intense artillery shelling or Bangalore torpedoes.
Enhanced effectiveness
The effectiveness of any wire obstacle is greatly increased by planting anti-tank and blast antipersonnel mines in and around it. Additionally, connecting bounding anti-personnel mines (e.g. the PROM-1) to the obstacle with tripwires has the effect of booby-trapping the obstacle itself, hindering attempts to clear it. Dummy tripwires can be added to cause further confusion. If anti-personnel mines are unavailable, it is very easy to connect hand-grenades to the wire using trip-wires. If the use of lethal explosive devices is deemed to be unsuitable, it is easy to emplace tripflares in and around the wire obstacle in order to make night-time infiltration harder.
Gallery
References
External links
Tactical Use of Barbed Wire
Barbed Wire Obstacle knowledge
Figures and Tables (planning)
Manufacturing (in German)
Training
Korea brochure
Korea 1951-1953 (Book)
Fortification (obstacles) |
Lucy Wigmore is a stage and screen actress from New Zealand. She played core cast member Dr Justine Jones in the long-running soap opera Shortland Street, and has also starred as Lillian May Armfield in Underbelly: Razor, a 13-part drama set in the 1920s–1930s on the rough and ready streets of Sydney, Australia. Underbelly "is one of Nine Networks most successful franchises".
In 2015 Wigmore made a short film called Stationery which she wrote and directed.
Personal life
Wigmore was raised in Auckland, New Zealand, where she attended Takapuna Grammar School. She studied international business and advertising at the Auckland University of Technology, and spent her final year of study in France.
Wigmore also completed a three-year Bachelor of Performing Arts (Acting) at Toi Whakaari New Zealand's National Drama School, graduating in 2002. She had her first AD and casting role in the Embrace Life Commercial for Sussex Safer Roads.
Wigmore's sister Gin is a singer and songwriter. Lucy directed one of Gin's music videos, 2016's "Willing to Die". One of Gin's songs, "Lucy Loo," was written for her sister.
Filmography
References
External links
http://www.lucywigmore.com/
Living people
New Zealand television actresses
Australian television actresses
Actresses from Auckland
Auckland University of Technology alumni
Australian stage actresses
1977 births
New Zealand soap opera actresses
21st-century New Zealand actresses
Toi Whakaari alumni |
```vue
<template>
<section class="chart-container">
<el-row>
<el-col :span="12">
<div id="chartColumn" style="width:100%; height:400px;"></div>
</el-col>
<el-col :span="12">
<div id="chartBar" style="width:100%; height:400px;"></div>
</el-col>
<el-col :span="12">
<div id="chartLine" style="width:100%; height:400px;"></div>
</el-col>
<el-col :span="12">
<div id="chartPie" style="width:100%; height:400px;"></div>
</el-col>
<el-col :span="24">
<a href="path_to_url" target="_blank" style="float: right;">more>></a>
</el-col>
</el-row>
</section>
</template>
<script>
import echarts from 'echarts'
export default {
data() {
return {
chartColumn: null,
chartBar: null,
chartLine: null,
chartPie: null
}
},
methods: {
drawColumnChart() {
this.chartColumn = echarts.init(document.getElementById('chartColumn'));
this.chartColumn.setOption({
title: { text: 'Column Chart' },
tooltip: {},
xAxis: {
data: ["", "", "", "", "", ""]
},
yAxis: {},
series: [{
name: '',
type: 'bar',
data: [5, 20, 36, 10, 10, 20]
}]
});
},
drawBarChart() {
this.chartBar = echarts.init(document.getElementById('chartBar'));
this.chartBar.setOption({
title: {
text: 'Bar Chart',
subtext: ''
},
tooltip: {
trigger: 'axis',
axisPointer: {
type: 'shadow'
}
},
legend: {
data: ['2011', '2012']
},
grid: {
left: '3%',
right: '4%',
bottom: '3%',
containLabel: true
},
xAxis: {
type: 'value',
boundaryGap: [0, 0.01]
},
yAxis: {
type: 'category',
data: ['', '', '', '', '', '()']
},
series: [
{
name: '2011',
type: 'bar',
data: [18203, 23489, 29034, 104970, 131744, 630230]
},
{
name: '2012',
type: 'bar',
data: [19325, 23438, 31000, 121594, 134141, 681807]
}
]
});
},
drawLineChart() {
this.chartLine = echarts.init(document.getElementById('chartLine'));
this.chartLine.setOption({
title: {
text: 'Line Chart'
},
tooltip: {
trigger: 'axis'
},
legend: {
data: ['', '', '']
},
grid: {
left: '3%',
right: '4%',
bottom: '3%',
containLabel: true
},
xAxis: {
type: 'category',
boundaryGap: false,
data: ['', '', '', '', '', '', '']
},
yAxis: {
type: 'value'
},
series: [
{
name: '',
type: 'line',
stack: '',
data: [120, 132, 101, 134, 90, 230, 210]
},
{
name: '',
type: 'line',
stack: '',
data: [220, 182, 191, 234, 290, 330, 310]
},
{
name: '',
type: 'line',
stack: '',
data: [820, 932, 901, 934, 1290, 1330, 1320]
}
]
});
},
drawPieChart() {
this.chartPie = echarts.init(document.getElementById('chartPie'));
this.chartPie.setOption({
title: {
text: 'Pie Chart',
subtext: '',
x: 'center'
},
tooltip: {
trigger: 'item',
formatter: "{a} <br/>{b} : {c} ({d}%)"
},
legend: {
orient: 'vertical',
left: 'left',
data: ['', '', '', '', '']
},
series: [
{
name: '',
type: 'pie',
radius: '55%',
center: ['50%', '60%'],
data: [
{ value: 335, name: '' },
{ value: 310, name: '' },
{ value: 234, name: '' },
{ value: 135, name: '' },
{ value: 1548, name: '' }
],
itemStyle: {
emphasis: {
shadowBlur: 10,
shadowOffsetX: 0,
shadowColor: 'rgba(0, 0, 0, 0.5)'
}
}
}
]
});
},
drawCharts() {
this.drawColumnChart()
this.drawBarChart()
this.drawLineChart()
this.drawPieChart()
},
},
mounted: function () {
this.drawCharts()
},
updated: function () {
this.drawCharts()
}
}
</script>
<style scoped>
.chart-container {
width: 100%;
float: left;
}
/*.chart div {
height: 400px;
float: left;
}*/
.el-col {
padding: 30px 20px;
}
</style>
``` |
Success is an album by the Seattle alternative rock band the Posies, released in 1998. The band broke up after the album's release; they regrouped in 2005.
Critical reception
AllMusic called Success "the most laid-back album the Posies have recorded to date; freed of the glossy production of their Geffen years and of the major label pressure to record a 'hit,' they turned out an album that was more immediate, more relaxed, and more theirs."
Track listing
All songs by Jon Auer and Ken Stringfellow.
"Somehow Everything"
"You’re the Beautiful One"
"Looking Lost"
"Fall Apart With Me"
"Placebo"
"Who to Blame"
"Start a Life"
"Friendship of the Future"
"Grow"
"Farewell Typewriter"
"Every Bitter Drop"
"Fall Song"
Personnel
Credits adapted from Discogs
The Posies
Jon Auer - guitar, synthesizer, vocals
Ken Stringfellow - guitar, vocals
Joe Skyward - bass
Brian Young - drums
Production
Conrad Uno, Johnny Sangster, The Posies - producer, mixing
Mark Guenther - mastering
Artwork and Design
Rusty Willoughby - cover art, design
Bootsy Holler - photography
References
1998 albums
The Posies albums
Albums produced by Johnny Sangster
PopLlama Records albums |
Stringfellow Barr (January 15, 1897 in Suffolk, Virginia – February 3, 1982 in Alexandria, Virginia) was a historian, author, and former president of St. John's College in Annapolis, Maryland, where he, together with Scott Buchanan, instituted the Great Books curriculum.
Career
Barr was the editor of Virginia Quarterly Review from 1931 to 1937. He established and was president of the Foundation for World Government from 1948 to 1958. In the 1950s he taught classics at Rutgers University.
Barr wrote compact yet lucid historical surveys of three major periods of western history. Two of his books, The Will of Zeus and The Mask of Jove deal with the Greeks and Romans, respectively. He also wrote The Pilgrimage of Western Man, dealing with western history from the Renaissance through the early post-World War II era.
His nickname was "Winkie."
In a 1951 New York Post column, Arthur Schlesinger Jr. mocked Barr as belonging to the "solve-the-Russian-problem-by-giving-them-money school," and said, of him and two others, "None of these gentlemen is a Communist, but none of them objects very much to Communism. They are the Typhoid Marys of the left, bearing the germs of the infection even if not suffering obviously from the disease."
Barr's views on the poor quality of American education and an American society driven by consumerist ideology are presented in ironic terms in Purely Academic (1958), a classic academic novel set in an anonymous Corn Belt university during the McCarthy period, as when a character in the story says that
Many observers here and abroad note a kind of higher illiteracy in our college graduates. But we like it that way. In our cars we like horsepower; in our studies we like slow-motion and low-gear. In education the intellectually second-rate does not shock us. To insist on the first-rate would be arrogant. Anyhow, if we are so second-rate, how come we are the richest nation in recorded history and the fattest people on earth?
In 1959, Barr was one of a number of signatories to a petition asking the U. S. Congress to abolish the House Committee on Unamerican Activities. Other notable signatories included Eleanor Roosevelt and Reinhold Niebuhr.
Barr wrote The Kitchen Garden Book (New York: Viking Press, 1956) with Stella Standard. The Kitchen Garden is a manual on growing and cooking common vegetables.
New York Times reviewer Edmund Fuller called his 1958 novel, Purely Academic, "bitterly hilarious," "sadistically satirical," and "funny and appalling."
Notes
"Colonist", Time Magazine, August 19, 1946.
Navasky, Victor, 1980; Naming Names; p. 54 of the 2003 reprint by Hill and Wang;
See also
Liberal Arts, Inc.
References
Barr, Stringfellow. American National Biography. 2:222–224 (1999)
Edward Fuller, "In the Groves of Academe Without a Compass," The New York Times January 5, 1958, p. BR4
External links
Hervey Allen Papers, 1831-1965, SC.1952.01, Special Collections Department, University of Pittsburgh
1897 births
1982 deaths
20th-century American novelists
20th-century American male writers
Rutgers University faculty
Historians of the United States
People from Suffolk, Virginia
St. John's College (Annapolis/Santa Fe) faculty
American male novelists
20th-century American historians
Novelists from Virginia
Novelists from New Jersey
Novelists from Maryland
Presidents of St. John's College
American male non-fiction writers
Historians from Virginia
20th-century American academics |
Un novio para dos hermanas ("A Boyfriend for Two Sisters") is a 1967 Mexican film. It stars Pili & Mili. Sara García plays Seňora Cáceres.
Cast
External links
1967 films
Mexican romantic comedy films
1960s Spanish-language films
Films shot in Mexico City
Films directed by Luis César Amadori
Films produced by Benito Perojo
Films with screenplays by Roberto Gómez Bolaños
Films scored by Manuel Esperón
1960s Mexican films
Mexican musical comedy films |
Passive survivability refers to a building's ability to maintain critical life-support conditions in the event of extended loss of power, heating fuel, or water. This idea proposes that designers should incorporate ways for a building to continue sheltering inhabitants for an extended period of time during and after a disaster situation, whether it be a storm that causes a power outage, a drought which limits water supply, or any other possible event.
The term was coined by BuildingGreen President and EBN Executive editor Alex Wilson in 2005 after the wake of Hurricane Katrina. Passive Survivability is suggested to become a standard in the design criteria for houses, apartment buildings, and especially buildings used as emergency shelters. While many of the strategies considered to achieve the goals of passive survivability are not new concepts and have been widely used in green building over the decades, the distinction comes from the motivation for moving towards resilient and safe buildings.
Current Issues
The increase in duration, frequency, and intensity of extreme weather events due to climate change exacerbates the challenges that passive survivability tries to address. Climates that did not previously need cooling are now seeing warmer temperatures and a need for air conditioning. Sea level rise and storm surge increases the risk of flooding in coastal locations, while precipitation-based flooding is an issue in low-lying areas. In order for buildings to provide livable conditions at all times, potential threats must be realized.
Power Outages
In much of the developed world, there is a heavy reliance on a grid for power and gas. These grids are the main source of energy for many societies, and while they generally do not get interrupted, they are constantly prone to events that may cause disruption, such as natural disasters. In California, there have even been intentional power outages as a preventative measure in response to wildfires caused by power lines. When a power outage occurs, most mechanical heating and cooling can no longer operate. The aim of passive survivability is to be prepared for when such an event may occur, and maintain safe indoor temperatures. While back-up generators can provide some power during an outage, it is often not enough for heating and cooling needs or adequate lighting.
Extreme Temperature
Heat is the leading cause of weather-related death in the US. Heat waves coinciding with power outages puts many lives at risk due to the inability of a building to keep temperatures down. Even without a power outage, lack of access to air conditioning or lack of funds to pay for electricity also highlights the need for passive ways to maintain a livable thermal environment. One of the issues that passive survivability looks at is considering the many ways to keep thermal resistance of a building skin to prevent a room from becoming overbearing in the event of having a lack of access to standard temperature regulating systems.
In the winter months, power outages or lack of a fuel source for heat pose a threat when there are cold fronts. Leaky construction and poor insulation result in rapid heat loss, causing indoor temperatures to fall.
Drought
During a drought, the limited water supply means a community must get by using less, which may mean mandatory restrictions on water use. Extended dry spells can instigate wildfires, which add a heightened level of devastation. Drying clay soil can cause critical water mains to burst and damage homes and infrastructure. Droughts can also cause power-outages in areas where thermo-electric power plants are the main source of electricity. Water-efficient appliances and landscaping is crucial in water-scarce locations.
Natural Disasters
Natural disasters such as hurricanes, earthquakes, tornadoes, and other storm events can result in destruction of infrastructure that provides key electricity, water, and energy sources. Flooding after extreme precipitation is a major threat to buildings and utilities. The resulting electricity or water shortages can pose more of a threat than the event itself, often lasting longer than the initial disaster.
Terrorism Threats
Terrorism threats and cyberterrorism can also cause an interruption in power supply. Attacks on central plants or major distribution segments, or hacking of a utility grid’s control system are possible threats that could cut off electricity, water, or fuel.
Passive Design Strategies
There are many passive strategies that require no electricity but instead can provide heating, cooling, and lighting for a building through proper design. In envelope-dominated buildings, the climate and surroundings have a greater effect on the interior of the structure due to a high surface area to volume ratio and minimal internal heat sources. Internally dominated buildings, such as the typical office building, are more affected by internal heat sources like equipment and people, however the building envelope still plays an important role, especially during a power outage.
While the distinction between the two types of buildings can sometimes be unclear, all buildings have a balance point temperature that is a result of building design and function. Balance point temperature is the outdoor temperature under which a building requires heating. An internally dominated structure will have a lower balance point temperature because of more internal heat sources, which means a longer overheated period and shorter under-heated period. Achieving a livable thermal environment during a power outage is dependent on the balance point temperature, as well as the interaction with the surrounding environment. A key aspect of all design for passive survivability is climate-responsive design. Passive strategies should be chosen based on climate and local conditions, in addition to building function.
Thermal Envelope
When a building has leaky construction or poor insulation, desired heat is lost in the winter and conditioned air is lost in the summer. This loss is accounted for by pumping more mechanical heating or cooling into the building to make up the difference. Since this strategy is obsolete during a power outage, the building should be able to maintain internal temperatures for longer periods of time. To avoid heat loss by infiltration, the thermal envelope should be constructed with minimal breaks and joints, and cracks around windows and doors should be sealed. The air tightness of a building can be tested using a blower-door test.
Heat is also lost by transmission through the many surfaces in a room, including walls, windows, floors, ceilings, and doors. The area and thermal resistance of the surface, as well as the temperature difference between indoors and outdoors, determines the rate of heat loss. Continuous insulation with high R-values reduces heat loss by transmission in walls and ceilings. Double and triple-pane windows with special coatings reduce loss through windows. The practice of superinsulation greatly reduces heat loss through high levels of thermal resistance and air tightness.
Passive Solar
The ability to passively heat a building is beneficial during the colder winter months to help keep temperature levels up. Passive solar systems collect and distribute energy from the sun without the use of mechanical equipment such as fans or pumps. Passive solar heating consists of equator-facing glazing (south-facing in the northern hemisphere) to collect solar energy and thermal mass to store the heat. A direct-gain system allows short-wave radiation from the sun to enter a room through the window, where the floor and wall surfaces then act as thermal mass to absorb the heat, and the long-wave radiation is trapped inside due to the greenhouse effect. Proper glazing to thermal mass ratios should be used to prevent overheating and provide adequate heating. A Trombe wall or indirect gain system places the thermal mass right inside the glazing to collect heat during the day for night-time use due to time-lag of mass. This method is useful if daylighting is not required, or can be used in combination with direct-gain. A third technique is a sunspace or isolated gain system, which collects solar energy in a separate space attached to the building, and which can double as a living area for most of the year.
Heat Avoidance
Heat avoidance strategies can be used to reduce cooling needs during the overheated periods of the year. This is achieved largely though shading devices and building orientation. In the northern hemisphere, windows should primarily be placed on southern facades which receive the most sun during the winter, while windows on east and west facades should be avoided due to difficulty to shade and high solar radiation during the summer. Fixed overhangs can be designed that block the sun during the overheated periods and allow the sun during the under-heated periods. Movable shading devices are most appropriate due to their ability to respond to the environment and building needs. Using light colors on roofs and walls is another effective strategy to reduce heat gain by reflecting the sun.
Natural Ventilation
Natural ventilation can be used to increase thermal comfort during warmer periods. There are two main types of natural ventilation: comfort ventilation and night-flush cooling. Comfort ventilation brings in outside air to move over skin and increase the skin’s evaporative cooling, creating a more comfortable thermal environment. The temperature does not necessarily decrease unless the outdoor temperature is lower than the indoor temperature, however the air movement increases comfort. This technique is especially useful in humid climates. When the wind is not blowing, a solar chimney can increase ventilation flow by using the sun to increase buoyancy of air.
Night-flush cooling utilizes the cool nighttime air to flush the warm air out of the building and lower the indoor temperature. The cooled structure then acts as a heat sink during the day, when bringing the warm outdoor air in is avoided. Night-flush cooling is most effective in locations that have large diurnal temperature ranges, such as in hot and dry climates. With both techniques, providing operable windows alone does not result in adequate natural ventilation; the building must be designed for proper airflow.
Daylighting
When the power goes out, rooms at the center of a building typically receive little to no light. Designing a building to take advantage of natural daylight instead of relying on electric lighting will make it more resilient to power outages and other events. Daylighting and passive solar gain often go hand in hand, but in the summer there is a desire for “cool” daylight. Daylighting design should therefore provide adequate lighting without adding undesired heat. Direct sunlight and reflected light from the sky have different levels of radiation. The daylighting design should reflect the needs of the building in both its climate and function, and different methods can achieve that. Southern and northern windows are generally best for daylighting, and clerestories or monitors on the roof can bring daylight into the center of a building. Placing windows higher up on a wall will bring the light further into the room, and other methods like light shelves can bring light deeper into a building by reflecting light off the ceiling.
Other Design Strategies
The over arching goal of passive survivability is to try to reduce discomfort or suffering in the event of having a key source cut off to a building. There are several different solutions to any one design problem. While many of the solutions that are presented by advocates of passive survivability are ones that have been universally accepted by passive design and other standard sustainability practices, it is important to examine these measures and apply the appropriate strategies to developing and existing buildings in order to minimize the risk of displeasure or death.
Back-up Power
Buildings should be designed to maintain survivable thermal conditions without air conditioning or supplemental heat. Providing back-up generators and adequate fuel to maintain the critical functions of a building during outages are conventional solutions to power-supply interruptions. However, unless they are very large, generators support only basic needs for a short amount of time and may not power systems such as air conditioning, lighting, or even heating or ventilation during extended outages. Back-up generators are also expensive both to buy and maintain. Storing significant quantities of fuel on-site to power generators during extended outages has inherent environmental and safety risks, particularly during storms.
Renewable energy systems can provide power during an extreme event. For example, photovoltaic (or solar electric) power systems, when coupled with on-site battery storage can provide electricity when the grid loses power. Other fuel sources like wood can provide heat if buildings are equipped with wood-burning stoves or fireplaces.
Water
Emergency water supply systems such as rooftop rainwater harvesting systems can provide water for toilet flushing, bathing, and other building needs in the event of water supply interruptions. Rain barrels or larger cisterns store water from runoff that can often use a gravity-feed to obtain the water for use. Installing composting toilets and waterless urinals ensure those facilities can continue to function regardless of the circumstance, while reducing water consumptions on a daily basis. Having backup sources of potable water on-site is also a necessity in the case of water interruption.
Passive Survivability in Rating Systems
Leadership in Energy and Environmental Design
Leadership in Energy and Environmental Design (LEED) is a widely used green building certification in the United States. As of LEED version 4, there is a pilot credit called “Passive Survivability and Backup Power During Disruptions” under LEED BD+C: New Construction. The credit is worth up to two points, with one point awarded for providing for passive survivability and thermal safety, and one point awarded for providing backup power for critical loads. For the passive survivability point, the building must maintain thermally safe conditions during a four-day power outage during both peak summer and peak winter conditions. LEED lists three paths to compliance for thermal safety, two of which consist of thermal modeling, and the remaining path being Passive House certification.
Passive House Certification
While passive survivability is not mentioned by name in the two major passive house standards, Passive House Institute and Passive House Institute US (PHIUS), the passive strategies that make these buildings so energy efficient are the same strategies outlined for passive survivability. Buildings that achieve passive house certification are hitting some of the main criteria for passive survivability, including airtight construction and superinsulation. Many buildings will also have on-site photovoltaics to offset energy consumption. These buildings that rely very little on energy will be more resilient in power outages and extreme weather.
RELi
RELi is a building and community rating system completely based on resilient design. It has been adopted by the US Green Building Council, the same body that developed LEED. The Hazard Adaptation and Mitigation category has several credits related to passive survivability. One required credit is “Fundamental Emergency Operations: Thermal Safety During Emergencies” which requires indoor temperatures to be at or below outdoor temperatures in the summer, and above 50°F in the winter for up to four days. Another way to comply is to provide a thermal safe zone with adequate space for all building occupants. There is an optional poly-credit, “Advanced Emergency Operations: Back-Up Power, Operations, Thermal Safety & Operating Water,” that incorporates other passive survivability measures such as water storage. Another poly-credit, “Passive Thermal Safety, Thermal Comfort, & Lighting Design Strategies,” outlines more passive strategies including passive cooling, passive heating, and daylighting.
References
Further reading
Committee on the Effect of Climate Change on Indoor Air Quality and Public Health. Climate Change, the Indoor Environment, and Health. Washington, D.C.: National Academies, 2011. Print.
Kibert, Charles J. Sustainable Construction: Green Building Design and Delivery. Vol. 3rd. Hoboken, NJ: John Wiley & Sons, 2008. Print.
Pearce, Walter. "Environmental Building News Calls for "Passive Survivability"" BuildingGreen. N.p., 25 Dec. 2005. Web. 30 Sept. 2014.
Pearson, Forest. "Old Way of Seeing." : Designing Homes for Passive Survivability. Blogspot, 12 Nov. 2012. Web. 30 Sept. 2014.
Perkins, Broderick. "'Passive Survivability' Builds In Disaster Preparedness, Sustainability." RealtyTimes. N.p., 04 Jan. 2006. Web. 30 Sept. 2014.
"Passive Survivability Possible using the 'Hurriquake' Nail." Nelson Daily News: 20. Jan 07 2009. ProQuest. Web. 30 Sep. 2014 .
Wilson, Alex, and Andrea Ward. "Design for Adaptation: Living in a ClimateChanging World." Buildgreen. Web.
Wilson, Alex. "A Call for Passive Survivability." Heating/Piping/Air Conditioning Engineering : HPAC 78.1 (2006): 7,7,10. ProQuest. Web. 30 Sep. 2014.
Wilson, Alex. "Making Houses Resilient to Power Outages." GreenBuildingAdvisor.com. N.p., 23 Dec. 2008. Web. 30 Sept. 2014.
Wilson, Alex. "Passive Survivability." - GreenSource Magazine. N.p., June 2006. Web. 30 Sept. 2014.
Building engineering
Construction standards
Sustainable building |
The Church of San Marcos (Spanish: Iglesia de San Marcos) is a parish church located in Madrid, Spain. It was designed by Ventura Rodríguez, and it one of a number of surviving buildings by this architect in the city.
Conservation
It was declared Bien de Interés Cultural in 1944.
See also
Catholic Church in Spain
List of oldest church buildings
References
Marcos
Bien de Interés Cultural landmarks in Madrid
Buildings and structures in Universidad neighborhood, Madrid |
McEvoy Motorcycles was a British motorcycle manufacturer based in Derby. The company used engines from Villiers, Blackburne, British Anzani and JAP. The company ceased trading in 1929 when the financier Cecil 'Archie' Birkin was killed in an accident at the Isle of Man TT.
History
Eton College graduate Michael McEvoy began his engineering career at the Rolls-Royce factory in Derby and started McEvoy Motorcycles in 1924. The first bike from McEvoy Motorcycles was a flat twin produced in 1925 with a British Anzani 1100 cc engine. By 1926 the business was successful enough for McEvoy to leave his job at Rolls-Royce and move to larger premises in Derby. The McEvoy range was developed to include a JAP8/45 hp engined V-twin in an advanced "super sports" frame that was capable of and advertised by McEvoy as "the Fastest all-British big twin that holds all high speed British records worth holding in its class".
McEvoy began producing motorcycles with a range of engines, including one with a small 172 cc Villiers engine. All was going well until the company's financial backer, Archie Birkin, died practising for the 1928 Isle of Man TT; the company was wound up in 1929.
Racing success
George William Patchett was a British motorcycle racer and engineer who moved from Brough Superior to work with McEvoy as Competition Manager in 1926. In the same year Patchett recorded a time of 5:32 on the demanding Mountain Course of the Isle of Man TT race. Patchett also rode Anzani and JAP-powered V-twin to successes at the banked Brooklands Circuit at Weybridge. In his time with McEvoy Patchett set nine world records and won the Championship of Southport in 1926 at more than .
Surviving examples
In July 2009 a 1928 McEvoy motorcycle with a JAP 8/45 hp 980 cc V-twin engine sold at auction in Henley-on-Thames, UK, for £108,200 ($177,000).
References
External links
1926 McEvoy with OHV British Anzani engine
McEvoy photo gallery
Motorcycle manufacturers of the United Kingdom
Defunct motor vehicle manufacturers of England
Companies based in Derby |
Nyam Nyam may refer to:
Nyam Nyam (band), a 1980s post-punk band from Hull, England
Zande people or Niam-Niam (also Nyam-Nyam)
Tiny Teddy biscuits or Nyam-Nyam Teddy
Nyam Nyam, a clasp on the Khedive's Sudan Medal |
Miss Chinese International Pageant 1999 was held on February 14, 1999 in Hong Kong. The pageant was organized and broadcast by TVB in Hong Kong. Miss Chinese International 1998 Louisa Luk of San Francisco, USA crowned her Michelle Ye of New York City, USA as the 11th Miss Chinese International. The victory marked the first back to back winners for the United States.
Pageant information
The theme to this year's pageant is "Showcasing Oriental Charm, Displaying Glamour of the Century." 「展現東方魅力 發放世紀風情」. The Masters of Ceremonies were Carol Cheng, Cutie Mui, Louis Yuen, Cheung Tat-Ming, and Jerry Lamb. Special performing guests were TVB actors Nick Cheung and Mariane Chan.
Results
Special awards
Miss Friendship: Mabel Wong 黃淑儀 (Calgary)
Miss Classic Beauty: Michelle Ye 葉璇 (New York)
Contestant list
Contestant notes
-Michelle Ye was originally 2nd runner up at New York's regional pageant. She went on to compete in Hong Kong after the winner resigned, and the 1st runner up declined the title.
-Anne Heung later represented Hong Kong and competed at Miss Universe 1999. She was unplaced, but placed 7th overall in the online Miss Photogenic polls.
Crossovers
Contestants who previously competed or will be competing at other international beauty pageants:
Miss Universe
1999: : Anne Heung
External links
Johnny's Pageant Page - Miss Chinese International Pageant 1999
TVB
1999 beauty pageants
1999 in Hong Kong
Beauty pageants in Hong Kong
Miss Chinese International Pageants |
Jerry V. Davis is a Texas politician that represented Houston City Council District B from 2012 to 2020. He also ran for the Texas House of Representatives in 2020, but was defeated in the primary.
Personal life
In 1995, Davis graduated from Washington College with a BA and later earned his teaching certificate from the University of St. Thomas. He then worked for Houston area schools as a coach. While working as a coach, he attended Prairie View A&M University and earned a Masters in Education Administration. Additionally, with his older brothers, Davis owns 3 restaurants, the Breakfast Klub, the Reggae Hut, and the Alley Kat Bar & Lounge. He is married to Rachel Andress and has 3 children, Dean, Rylie and, Ryan.
Political career
Davis is affiliated with the Democratic Party.
Houston City Council
He assumed office to represent District B of the Houston City Council in 2012. While on the council, he was co-sponsor of the Council District Service Fund (CDSF), which allows district council members to fund local projects in the districts they represent. He was a strong supporter of the 2012 Parks bond, which increased the cities funding into public parks. Additionally, he was appointed by his fellow council members to be mayor pro-tempore and has served the position for 2 terms. Davis was term limited on the council, in spite of this until District B held an election for a new representative Davis held the position. On December 21, 2020, Davis was succeeded by Tarsha Jackson.
Texas House of Representatives
In December 2019, Davis filed as a Democrat to run for district 142 of the Texas House of Representatives challenging incumbent Harold Dutton Jr. He was runner-up to Dutton Jr. in the Democratic primary.
References
Living people
1970s births
Houston City Council members
Texas Democrats
Prairie View A&M University alumni
Washington College alumni
University of St. Thomas (Texas) alumni |
5641 McCleese, provisional designation , is a rare-type Hungaria asteroid and slow rotator, classified as Mars-crosser from the innermost regions of the asteroid belt, approximately 4 kilometers in diameter.
It was discovered on 27 February 1990, by American astronomer Eleanor Helin at Palomar Observatory in California, and later named for JPL-scientist Daniel McCleese.
Classification and orbit
McCleese is classified as a bright and rare A-type asteroid in the SMASS taxonomy. It is a member of the Hungaria family, which form the innermost dense concentration of asteroids in the Solar System. With a perihelion of 1.589 AU, McCleese also crosses the orbit of Mars.
The asteroid orbits the Sun in the innermost main-belt at a distance of 1.6–2.0 AU once every 2 years and 5 months (896 days). Its orbit has an eccentricity of 0.13 and an inclination of 22° with respect to the ecliptic. In 1973, it was first identified as at Lick Observatory, extending the body's observation arc by 17 years prior to its official discovery observation at Palomar.
Lightcurve
Photometric observations of McCleese by Brian Warner and René Roy in 2005 and 2007, gave three rotational lightcurves that had a rotation period between 7.2 and 28.8 hours with a brightness variation of 0.06 to 0.50 magnitude (). In June 2010, McCleese was again observed by Brian Warner at his Palmer Divide Observatory in Colorado, United States. By combining his data points with the previously obtained photometric data, he was able to derive a period of hours with an amplitude of 1.30 magnitude (). With a period of 418 hours, the body is one of the Top 100 slow rotators known to exist.
Diameter estimates
According to the surveys carried out by the Infrared Astronomical Satellite IRAS and NASA's Wide-field Infrared Survey Explorer with its subsequent NEOWISE mission, McCleese measures 5.68 and 4.00 kilometers in diameter, and its surface has an albedo of 0.455 and 0.34, respectively. In agreement with WISE, the Collaborative Asteroid Lightcurve Link assumes an albedo of 0.3 and derives a diameter of 3.67 kilometers using an absolute magnitude of 14.1.
Naming
This minor planet is named after American JPL scientist Daniel J. McCleese, who is a physicist and manager at JPL's Science Division. He also played an important role for the Near-Earth Asteroid Tracking program (NEAT). The approved naming citation was published by the Minor Planet Center on 4 April 1996 ().
References
External links
Lightcurve plot of 5641 McCleese, Palmer Divide Observatory, B. D. Warner (2010)
Asteroid Lightcurve Database (LCDB), query form (info )
Dictionary of Minor Planet Names, Google books
Asteroids and comets rotation curves, CdR – Observatoire de Genève, Raoul Behrend
Discovery Circumstances: Numbered Minor Planets (5001)-(10000) – Minor Planet Center
Mars-crossing asteroids
Hungaria asteroids
McCleese
McCleese
Slow rotating minor planets
A-type asteroids (SMASS)
19900227 |
The Dominican Rugby Federation, known as Fedorugby — or officially in Spanish: Federación Dominicana de Rugby, is the governing body for rugby union in the Dominican Republic. It was founded on 20 October 2004 and became affiliated to the North America Caribbean Rugby Association (NACRA) in the following year.
Rugby was introduced to the Dominican Republic in 1972 by Jean-Paul Bossuge, a French diplomat. The game began to grow, particularly within the universities, and by the 1970s the original Dominican Rugby Union had been formed with Dr. William Acosta appointed as its inaugural president. Dominican teams began competing in domestic and international tournaments and by the 1980s there were ten active clubs. However, rugby was not officially recognised by the Dominican Olympic Committee and funding for the game was low. Interest waned by the early 1990s.
Dominican Rugby was revived in 1997 with teams being sent to Trinidad and Tobago's rugby sevens tournament from 1997 to 2000. Recognising a need to retain and increase player numbers, Fedorugby was formed in 2004 to bring the Dominican rugby clubs and players together under one organising body.
National teams
The Dominican national sevens team has played in regional competitions such as Trinidad and Tobago's Rugby Sevens tournament. The Dominican 15-a-side team first played against the in 2000.
See also
Rugby union in the Dominican Republic
Dominican Republic national rugby union team
Dominican Republic national rugby union team (sevens)
External links
Fedorugby Official website
References
Rugby union in the Dominican Republic
Dominican Republic
Rugby |
```c++
#include "ExportProcessor.h"
using namespace mega;
using namespace std;
ExportProcessor::ExportProcessor(MegaApi *megaApi, QStringList fileList) : QObject()
{
this->megaApi = megaApi;
this->fileList = fileList;
this->mode = MODE_PATHS;
currentIndex = 0;
remainingNodes = fileList.size();
importSuccess = 0;
importFailed = 0;
delegateListener = new QTMegaRequestListener(megaApi, this);
}
ExportProcessor::ExportProcessor(MegaApi *megaApi, QList<MegaHandle> handleList)
{
this->megaApi = megaApi;
this->handleList = handleList;
this->mode = MODE_HANDLES;
currentIndex = 0;
remainingNodes = handleList.size();
importSuccess = 0;
importFailed = 0;
delegateListener = new QTMegaRequestListener(megaApi, this);
}
ExportProcessor::~ExportProcessor()
{
delete delegateListener;
}
void ExportProcessor::requestLinks()
{
int size = (mode == MODE_PATHS) ? fileList.size() : handleList.size();
if (!size)
{
emit onRequestLinksFinished();
return;
}
for (int i = 0; i < size; i++)
{
MegaNode *node = NULL;
if (mode == MODE_PATHS)
{
#ifdef WIN32
if (!fileList[i].startsWith(QString::fromLatin1("\\\\")))
{
fileList[i].insert(0, QString::fromLatin1("\\\\?\\"));
}
string tmpPath((const char*)fileList[i].utf16(), fileList[i].size()*sizeof(wchar_t));
#else
string tmpPath((const char*)fileList[i].toUtf8().constData());
#endif
node = megaApi->getSyncedNode(&tmpPath);
if (!node)
{
const char *fpLocal = megaApi->getFingerprint(tmpPath.c_str());
node = megaApi->getNodeByFingerprint(fpLocal);
delete [] fpLocal;
}
}
else
{
node = megaApi->getNodeByHandle(handleList[i]);
}
megaApi->exportNode(node, delegateListener);
delete node;
}
}
QStringList ExportProcessor::getValidLinks()
{
return validPublicLinks;
}
void ExportProcessor::onRequestFinish(MegaApi *, MegaRequest *request, MegaError *e)
{
currentIndex++;
remainingNodes--;
if (e->getErrorCode() != MegaError::API_OK)
{
publicLinks.append(QString());
importFailed++;
}
else
{
publicLinks.append(QString::fromLatin1(request->getLink()));
validPublicLinks.append(QString::fromLatin1(request->getLink()));
importSuccess++;
}
if (!remainingNodes)
{
emit onRequestLinksFinished();
}
}
``` |
is a three-part anime OVA that serves as a crossover between the Cyborg 009 and Devilman series. It was first screened on 17 October 2015 and was released on 11 November 2015. The series inspired a manga adaptation and a prequel novel. Netflix acquired the international streaming rights for the series.
Plot
Cyborg 009 and his team come into conflict with a mysterious threat that leads to Japan and take on Devilman in the process. After some misunderstandings, a secret team of Cyborgs designed by the evil Black Ghost, and a devil outbreak it's up to 009 and Devilman to prevent total annihilation.
Characters
Background
Before Go Nagai became the author of Devilman, he worked as an assistant to Shotaro Ishinomori, drawing backgrounds for the Cyborg 009 manga. It was reported in Sankei Sports that he wished to do a collaboration with Ishinomori.
It was announced in March 2015 that a Cyborg 009 anime, directed by Jun Kawagoe, was in production to commemorate the 50th anniversary of the manga's debut. It was later announced that the anime would receive a theatrical release in autumn.
Dynamic Planning separately announced a Devilman anime in April 2014, produced by animation studio Actas. The project was scheduled for a fall 2015 release.
It was revealed in June 2015 that the two separately announced projects would in fact be a single crossover, titled Cyborg 009 VS Devilman.
Production
The anime is a three-part original video animation directed by Jun Kawagoe and written by Tadashi Hayakawa, with animation by the studios Bee Media and Actas. JAM Project produced both the opening theme song, "Cyborg 009 ~Nine Cyborg Soldiers~", and the ending theme, "Devil Mind ~Ai wa Chikara~".also Kalafina with their third ending theme Lacrimosa.
Release
The first full trailer for the anime was released on 25 August 2015.
It was originally announced that the anime would have a two-week run in eight theaters; however, the number of theaters was later expanded to ten. It debuted on 17 October 2015.
The complete set of three 30-minute episodes was released on Blu-ray on 11 November 2015. The individual episodes were released on DVD separately on 11 November 2015, 9 December 2015, and 6 January 2016.
Netflix acquired the streaming rights to the series, streaming it in 20 languages in 190 countries. The English dub was directed by Bob Buchholz and translated by Sachiko Takahashi.
Other media
Manga
A manga adaptation, titled , by Akihito Yoshitomi began serialization in Kodansha and Niconico's online magazine between 14 October 2015 and 24 February 2016. The first chapter was also published with Monthly Shōnen Sirius on 26 October 2015. The manga was collected in one volume on 8 April 2016.
Novel
A prequel novel, written by Tadashi Hayakawa and titled , was published on 25 September 2015.
References
External links
manga website
Cyborg 009
Devilman
Actas
Crossover anime and manga
Dark fantasy anime and manga
Kodansha manga
Science fiction anime and manga
Shōnen manga
2015 anime OVAs |
Kapaklıpınar is a neighbourhood in the municipality and district of Sur, Diyarbakır Province in Turkey. Its population is 316 (2022).
References
Neighbourhoods in Sur District |
La Pandilla en Apuros ("La Pandilla is in Trouble") is a 1976 musical teen-comedy film featuring the well known teenage musical group from Spain, La Pandilla.
The film, which was produced by Alfred D. Herger, was recorded at the Condado Beach Hotel (where the group stayed at for the duration of the filming) and at other locations in San Juan, Puerto Rico, including the Isla Verde International Airport.
Apart from featuring the members of La Pandilla, the film marked the movie debut of Puerto Rican comedian Adrian Garcia and of fellow Puerto Rican, singer Felito Félix.
Plot
La Pandilla is in Puerto Rico for a series of concerts. While there, they get involved in a situation involving a stolen audio recorder. The group also performs at a concert which was held at Roberto Clemente Coliseum in San Juan.
Soundtrack
The movie had a soundtrack album which was also released in 1976. The album contained the following songs:
La Pandilla en apuros
Diálogos de La Pandilla
Bakala Nanu Meme Suite
Comprando sombreros
La dama vaquera
La piscina
1-2-3
Quiero ser tu amigo
Los recien casaditos
Quiero volar
Primo Pachanga
See also
Conexión Caribe - a movie featuring Los Chicos de Puerto Rico
Menudo: La Pelicula - a movie featuring Menudo
Una Aventura Llamada Menudo - a movie featuring Menudo
Secuestro En Acapulco-Canta Chamo - a movie featuring Los Chamos
References
1976 films
Puerto Rican comedy films
Films set in Puerto Rico
1970s Spanish-language films
Comedy film soundtracks
Spanish-language soundtracks |
```javascript
import Sider from '../layout/sider.vue';
export default Sider;
``` |
Melissa Chessington Leo (born September 14, 1960) is an American actress. She is the recipient of several accolades, including an Academy Award, a Primetime Emmy Award, a Golden Globe Award, a Screen Actors Guild Award, and two Critics' Choice Awards.
After appearing on several television shows and films in the 1980s, Leo became a regular on the television shows All My Children, for which she was nominated for a Daytime Emmy Award, and The Young Riders. Her breakthrough role came in 1993 as detective and later sergeant Kay Howard on the television series Homicide: Life on the Street (1993–1997).
In 2008, Leo received critical acclaim for her performance as Ray Eddy in the crime drama film Frozen River, earning her several nominations and awards, including a nomination for the Academy Award for Best Actress. In 2010, Leo earned widespread acclaim and won several awards for her performance as Alice Eklund-Ward in the biographical sports drama film The Fighter, including the Academy Award for Best Supporting Actress.
In 2013, she won a Primetime Emmy Award for her guest role on the television series Louie. She starred in the 2015 Fox event series Wayward Pines as Nurse Pam. She then starred in the 2017 Netflix film The Most Hated Woman in America as American Atheists founder Madalyn Murray O'Hair.
Early life
Leo was born in Manhattan and grew up on the Lower East Side. She is the daughter of Margaret (née Chessington), a California-born teacher, and Arnold Leo III, an editor at Grove Press, fisherman, and former spokesman for the East Hampton Baymen's Association. She has an older brother, Erik Leo. Her paternal aunt is art historian Christine Leo Roussel. Leo's parents divorced, and her mother moved them to Red Clover Commune, in Putney, Vermont.
Leo began performing as a child with the Bread and Puppet Theater Company. She attended Bellows Falls High School in Bellows Falls, Vermont, and studied acting at Mountview Academy of Theatre Arts in London and SUNY Purchase, but did not graduate, choosing to leave school and move to New York City to begin auditioning for acting jobs. Leo spent summers at her father's house in Springs, a section of East Hampton, New York.
Career
Leo's acting debut came in 1984, for which she was nominated for a Daytime Emmy at the 12th Daytime Emmy Awards for Outstanding Ingenue/Woman in a Drama Series for All My Children. Following this, Leo appeared in several films, including Streetwalkin', A Time of Destiny, Last Summer in the Hamptons, and Venice/Venice. She also had several appearances on television, most notably her role as Det. Sgt. Kay Howard on Homicide: Life on the Street until 1997. Three years later she reprised her role in the television film Homicide: The Movie. After a brief hiatus from acting, Leo's breakthrough came three years later in the Alejandro González Iñárritu film, 21 Grams released to critical acclaim. Leo appeared in a supporting role alongside Sean Penn, Naomi Watts, Benicio del Toro, and Clea DuVall. Leo shared a Best Ensemble Acting award from the Phoenix Film Critics Society in 2003 and the runner-up for the Los Angeles Film Critics Association for Best Supporting Actress.
Leo appeared in supporting roles throughout the 2000s including the film Hide and Seek, the independent film American Gun, both in 2005, and a minor role in the comedy Mr. Woodcock. In 2006, she won the Bronze Wrangler at the Western Heritage Awards for Outstanding Theatrical Motion Picture for The Three Burials of Melquiades Estrada shared with Tommy Lee Jones who also produced the film. In 2008, she won the Maverick Actor Award and also the Best Actress award at the Method Fest for Lullaby (2008).
That same year, Leo earned critical praise for her performance in the film Frozen River, winning several awards, including the Best Actress award from the Independent Spirit Awards, the Spotlight award from the National Board of Review, and Best Actress nominations from the Screen Actors Guild Awards, Broadcast Film Critics Association, and Academy Awards. Critic Roger Ebert backed her for a win, stating: "Best Actress: Melissa Leo. What a complete performance, evoking a woman's life in a time of economic hardship. The most timely of films, but that isn't reason enough. I was struck by how intensely determined she was to make the payments, support her two children, carry on after her abandonment by a gambling husband, and still maintain rules and goals around the house. This was a heroic woman."
Following Frozen River, Leo continued to appear in several independent films, and had a minor role in the 2008 film Righteous Kill, with Al Pacino and her Hide and Seek co-star, Robert De Niro. Leo appeared in a series of films throughout 2009, including According to Greta, the title character in Stephanie's Image, True Adolescents, and Veronika Decides to Die.
In 2010, Leo received fame for her role in David O. Russell's The Fighter. Rick Bentley of The Charlotte Observer said: "Both actors (Mark Wahlberg and Christian Bale) are very good, but they get blown off the screen by Melissa Leo, who plays their mother, Alice Ward. Leo's Oscar-worthy portrayal of Alice as a master manipulator goes beyond acting to a total transformation." Roger Ebert referred to it as a "teeth-gratingly brilliant performance." Leo and several of the film's actors including her co-star Amy Adams and Bale were nominated. For her performance Leo received several awards, including the Golden Globe, Dallas-Fort Worth Film Critics Association, New York Film Critics Circle, Screen Actors Guild, and culminating in her winning the Academy Award for Best Supporting Actress. While accepting her Oscar, Leo said: "When I watched Kate two years ago, it looked so fucking easy!" She apologized afterwards for using profanity, admitting that it was "a very inappropriate place to use that particular word ... those words, I apologize to anyone that they offend".
Prior to her win, Leo had created some controversy by attempting to self-promote her Oscar campaign, rather than rely on the marketing department of the studio. Leo personally bought ad space in Hollywood trade publications, which was initially thought might backfire in a similar manner to previous Oscar contenders Chill Wills and Margaret Avery.
Following her Oscar win, Leo appeared in the HBO miniseries Mildred Pierce alongside Kate Winslet, Evan Rachel Wood and Guy Pearce. Her performance garnered an Emmy Award nomination for Outstanding Supporting Actress in a Miniseries or a Movie. Her next projects include the satirical horror film Red State, the independent comedy Predisposed with Jesse Eisenberg currently in pre-production and the crime thriller The Dead Circus based on the novel by John Kaye with Michael C. Hall and James Marsden currently in development. She guest-starred in an episode of the hit FX comedy Louie, which garnered her an Emmy win for Outstanding Guest Actress in a Comedy Series.
Leo appeared in the action-thriller Olympus Has Fallen as Ruth McMillan, the Secretary of Defense who was held hostage by terrorists in the White House; and Oblivion as the main antagonist Sally. She reprised her role in the Olympus sequel London Has Fallen.
Leo appeared in supporting roles in the thriller films Prisoners, The Equalizer, and The Equalizer 2, having previously appeared in a 1985 episode of the original series. Leo appeared on the Fox series Wayward Pines as Nurse Pam.
Personal life
In 1987, Leo had a son, John Matthew "Jack" Heard, with actor John Heard, whom she dated from 1986 to 1988. At the time, she was living on East 83rd Street in Manhattan.
Leo then moved to Stone Ridge, New York, where a 200-year-old farmhouse was her permanent residence for three decades, though she often traveled and lived elsewhere temporarily for work. In 2019, she moved back to Manhattan, living in Washington Heights. She moved out of the city during the COVID-19 pandemic, but returned to live in Manhattan in 2023.
As of 2023, Leo owned a dog named Buddy.
Leo publicly rejected the label of feminist in statements made during a 2012 interview with Salon: "I don't think of myself as a feminist at all. As soon as we start labeling and categorizing ourselves and others, that's going to shut down the world. I would never say that." She reiterated these sentiments in a 2017 interview.
Filmography
Film
Television
Stage
Awards and nominations
References
External links
1960 births
Living people
Actresses from New York City
American film actresses
American television actresses
American voice actresses
Best Supporting Actress Academy Award winners
Best Supporting Actress Golden Globe (film) winners
Independent Spirit Award for Best Female Lead winners
Actors from the Lower East Side
Independent Spirit Award winners
State University of New York at Purchase alumni
20th-century American actresses
21st-century American actresses
Method actors
Outstanding Performance by a Female Actor in a Supporting Role Screen Actors Guild Award winners
Primetime Emmy Award winners |
```objective-c
/*
* Workspace window manager
*
*
* This program is free software; you can redistribute it and/or modify
* (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
*
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
*/
#ifndef __WORKSPACE_WM_MENU__
#define __WORKSPACE_WM_MENU__
#include <CoreFoundation/CFRunLoop.h>
#include "wcore.h"
#define MI_DIAMOND 0
#define MI_CHECK 1
#define MI_MINIWINDOW 2
#define MI_HIDDEN 3
#define MI_SHADED 4
#define MENU_WIDTH(m) ((m)->frame->core->width + 2 * (m)->frame->screen_ptr->frame_border_width)
#define MENU_HEIGHT(m) ((m)->frame->core->height + 2 * (m)->frame->screen_ptr->frame_border_width)
typedef struct WMenuItem {
struct WMenu *menu; /* menu this item belongs to */
struct WShortKey *shortcut;
int index; /* index of item in menu */
char *text; /* entry text */
char *rtext; /* text to show in the right part */
void (*callback)(struct WMenu *menu, struct WMenuItem *item);
void (*free_cdata)(void *data); /* proc to be used to free clientdata */
void *clientdata; /* data to pass to callback */
int submenu_index; /* cascade menu index */
struct {
unsigned int enabled : 1; /* item is selectable */
unsigned int selected : 1; /* item is highlighted */
unsigned int indicator : 1; /* left indicator */
unsigned int indicator_on : 1;
unsigned int indicator_type : 3;
} flags;
} WMenuItem;
typedef struct WMenu {
struct WMenu *parent;
struct WMenu *brother;
struct WApplication *app;
/* decorations */
struct WFrameWindow *frame;
WCoreWindow *menu; /* the menu window */
Pixmap menu_texture_data;
int frame_x, frame_y; /* position of the frame in root window */
int old_frame_x, old_frame_y; /* position of the frame before slide */
WMenuItem **items; /* array of items. shared by the menu and it's "brother" */
short allocated_items; /* number of items allocated in `items` array */
short items_count; /* number of items in `items` array */
short selected_item_index; /* index of item in `items` array */
short item_height; /* height of each item */
struct WMenu **submenus; /* array of submenus attached to items */
short submenus_count;
CFRunLoopTimerRef timer; /* timer for the autoscroll */
/* to be called when some item is edited */
void (*on_edit)(struct WMenu *menu, struct WMenuItem *item);
/* to be called when destroyed */
void (*on_destroy)(struct WMenu *menu);
struct {
unsigned int titled : 1;
unsigned int realized : 1; /* whether the window was configured */
unsigned int restored : 1; /* whether the menu was restored from saved state */
unsigned int app_menu : 1; /* this is a application or root menu */
unsigned int mapped : 1; /* if menu is already mapped on screen*/
unsigned int hidden : 1; /* if menu was hidden on app deactivation */
unsigned int tornoff : 1; /* if the close button is visible (menu was torn off) */
unsigned int lowered : 1;
unsigned int brother : 1; /* if this is a copy of the menu */
} flags;
} WMenu;
void wMenuPaint(WMenu *menu);
void wMenuDestroy(WMenu *menu, int recurse);
void wMenuRealize(WMenu *menu);
WMenuItem *wMenuInsertSubmenu(WMenu *menu, int index, const char *text, WMenu *submenu);
void wMenuItemSetSubmenu(WMenu *menu, WMenuItem *item, WMenu *submenu);
void wMenuItemRemoveSubmenu(WMenu *menu, WMenuItem *item);
WMenuItem *wMenuItemInsert(WMenu *menu, int index, const char *text,
void (*callback)(WMenu *menu, WMenuItem *index), void *clientdata);
#define wMenuAddItem(menu, text, callback, data) wMenuItemInsert(menu, -1, text, callback, data)
void wMenuItemRemove(WMenu *menu, int index);
void wMenuItemSetShortcut(WMenuItem *item, const char *shortcut);
void wMenuItemPaint(WMenu *menu, int item_index, int selected);
void wMenuItemSetEnabled(WMenu *menu, WMenuItem *item, Bool enable);
void wMenuItemSelect(WMenu *menu, int item_index);
WMenu *wMenuCreate(WScreen *screen, const char *title, int main_menu);
WMenu *wMenuCreateForApp(WScreen *screen, const char *title, int main_menu);
void wMenuMap(WMenu *menu);
void wMenuMapAt(WMenu *menu, int x, int y, int keyboard);
#define wMenuMapCopyAt(menu, x, y) wMenuMapAt((menu)->brother, (x), (y), False)
void wMenuUnmap(WMenu *menu);
void wMenuSetEnabled(WMenu *menu, int index, int enable);
void wMenuMove(WMenu *menu, int x, int y, int submenus);
void wMenuSlideIfNeeded(WMenu *menu);
WMenu *wMenuUnderPointer(WScreen *screen);
void wMenuSaveState(WScreen *scr);
void wMenuRestoreState(WScreen *scr);
#endif /* __WORKSPACE_WM_MENU__ */
``` |
With Increase was an American Christian hardcore band, where they primarily played hardcore punk and melodic hardcore. They come from Tampa, Florida. The band started making music in 2008 and disbanded in 2015. The band released a studio album, Death Is Inevitable, in 2014, with Blood and Ink Records.
Background
With Increase was a Christian hardcore band from Tampa, Florida. Their members were Will, Doug, Justin, Paul and Travis.
Music history
The band commenced as a musical entity in 2008. They released the EP, "This Is Not Your Home" in 2010. After a change of vocalists, they released, "Signs of The Time" through Blood and Ink Records. Their final record, and first full length LP was, Death Is Inevitable, a studio album, that was released on February 25, 2014, from Blood and Ink Records.
Members
Last known line-up
Will
Doug
Justin
Travis
Paul
Discography
Studio albums
Death Is Inevitable (February 25, 2014, Blood and Ink)
References
External links
Blood and Ink Records
Musical groups from Tampa, Florida
2008 establishments in Florida
2015 disestablishments in Florida
Musical groups established in 2008
Musical groups disestablished in 2015
Blood and Ink Records artists |
```php
<?php
/*
* This file is part of SwiftMailer.
* (c) 2004-2009 Chris Corbyn
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
/**
* A MIME entity, in a multipart message.
*
* @author Chris Corbyn
*/
class Swift_Mime_SimpleMimeEntity implements Swift_Mime_MimeEntity
{
/** A collection of Headers for this mime entity */
private $_headers;
/** The body as a string, or a stream */
private $_body;
/** The encoder that encodes the body into a streamable format */
private $_encoder;
/** The grammar to use for id validation */
private $_grammar;
/** A mime boundary, if any is used */
private $_boundary;
/** Mime types to be used based on the nesting level */
private $_compositeRanges = array(
'multipart/mixed' => array(self::LEVEL_TOP, self::LEVEL_MIXED),
'multipart/alternative' => array(self::LEVEL_MIXED, self::LEVEL_ALTERNATIVE),
'multipart/related' => array(self::LEVEL_ALTERNATIVE, self::LEVEL_RELATED),
);
/** A set of filter rules to define what level an entity should be nested at */
private $_compoundLevelFilters = array();
/** The nesting level of this entity */
private $_nestingLevel = self::LEVEL_ALTERNATIVE;
/** A KeyCache instance used during encoding and streaming */
private $_cache;
/** Direct descendants of this entity */
private $_immediateChildren = array();
/** All descendants of this entity */
private $_children = array();
/** The maximum line length of the body of this entity */
private $_maxLineLength = 78;
/** The order in which alternative mime types should appear */
private $_alternativePartOrder = array(
'text/plain' => 1,
'text/html' => 2,
'multipart/related' => 3,
);
/** The CID of this entity */
private $_id;
/** The key used for accessing the cache */
private $_cacheKey;
protected $_userContentType;
/**
* Create a new SimpleMimeEntity with $headers, $encoder and $cache.
*
* @param Swift_Mime_HeaderSet $headers
* @param Swift_Mime_ContentEncoder $encoder
* @param Swift_KeyCache $cache
* @param Swift_Mime_Grammar $grammar
*/
public function __construct(Swift_Mime_HeaderSet $headers, Swift_Mime_ContentEncoder $encoder, Swift_KeyCache $cache, Swift_Mime_Grammar $grammar)
{
$this->_cacheKey = md5(uniqid(getmypid().mt_rand(), true));
$this->_cache = $cache;
$this->_headers = $headers;
$this->_grammar = $grammar;
$this->setEncoder($encoder);
$this->_headers->defineOrdering(array('Content-Type', 'Content-Transfer-Encoding'));
// This array specifies that, when the entire MIME document contains
// $compoundLevel, then for each child within $level, if its Content-Type
// is $contentType then it should be treated as if it's level is
// $neededLevel instead. I tried to write that unambiguously! :-\
// Data Structure:
// array (
// $compoundLevel => array(
// $level => array(
// $contentType => $neededLevel
// )
// )
// )
$this->_compoundLevelFilters = array(
(self::LEVEL_ALTERNATIVE + self::LEVEL_RELATED) => array(
self::LEVEL_ALTERNATIVE => array(
'text/plain' => self::LEVEL_ALTERNATIVE,
'text/html' => self::LEVEL_RELATED,
),
),
);
$this->_id = $this->getRandomId();
}
/**
* Generate a new Content-ID or Message-ID for this MIME entity.
*
* @return string
*/
public function generateId()
{
$this->setId($this->getRandomId());
return $this->_id;
}
/**
* Get the {@link Swift_Mime_HeaderSet} for this entity.
*
* @return Swift_Mime_HeaderSet
*/
public function getHeaders()
{
return $this->_headers;
}
/**
* Get the nesting level of this entity.
*
* @see LEVEL_TOP, LEVEL_MIXED, LEVEL_RELATED, LEVEL_ALTERNATIVE
*
* @return int
*/
public function getNestingLevel()
{
return $this->_nestingLevel;
}
/**
* Get the Content-type of this entity.
*
* @return string
*/
public function getContentType()
{
return $this->_getHeaderFieldModel('Content-Type');
}
/**
* Set the Content-type of this entity.
*
* @param string $type
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setContentType($type)
{
$this->_setContentTypeInHeaders($type);
// Keep track of the value so that if the content-type changes automatically
// due to added child entities, it can be restored if they are later removed
$this->_userContentType = $type;
return $this;
}
/**
* Get the CID of this entity.
*
* The CID will only be present in headers if a Content-ID header is present.
*
* @return string
*/
public function getId()
{
$tmp = (array) $this->_getHeaderFieldModel($this->_getIdField());
return $this->_headers->has($this->_getIdField()) ? current($tmp) : $this->_id;
}
/**
* Set the CID of this entity.
*
* @param string $id
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setId($id)
{
if (!$this->_setHeaderFieldModel($this->_getIdField(), $id)) {
$this->_headers->addIdHeader($this->_getIdField(), $id);
}
$this->_id = $id;
return $this;
}
/**
* Get the description of this entity.
*
* This value comes from the Content-Description header if set.
*
* @return string
*/
public function getDescription()
{
return $this->_getHeaderFieldModel('Content-Description');
}
/**
* Set the description of this entity.
*
* This method sets a value in the Content-ID header.
*
* @param string $description
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setDescription($description)
{
if (!$this->_setHeaderFieldModel('Content-Description', $description)) {
$this->_headers->addTextHeader('Content-Description', $description);
}
return $this;
}
/**
* Get the maximum line length of the body of this entity.
*
* @return int
*/
public function getMaxLineLength()
{
return $this->_maxLineLength;
}
/**
* Set the maximum line length of lines in this body.
*
* Though not enforced by the library, lines should not exceed 1000 chars.
*
* @param int $length
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setMaxLineLength($length)
{
$this->_maxLineLength = $length;
return $this;
}
/**
* Get all children added to this entity.
*
* @return Swift_Mime_MimeEntity[]
*/
public function getChildren()
{
return $this->_children;
}
/**
* Set all children of this entity.
*
* @param Swift_Mime_MimeEntity[] $children
* @param int $compoundLevel For internal use only
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setChildren(array $children, $compoundLevel = null)
{
// TODO: Try to refactor this logic
$compoundLevel = isset($compoundLevel)
? $compoundLevel
: $this->_getCompoundLevel($children)
;
$immediateChildren = array();
$grandchildren = array();
$newContentType = $this->_userContentType;
foreach ($children as $child) {
$level = $this->_getNeededChildLevel($child, $compoundLevel);
if (empty($immediateChildren)) {
//first iteration
$immediateChildren = array($child);
} else {
$nextLevel = $this->_getNeededChildLevel($immediateChildren[0], $compoundLevel);
if ($nextLevel == $level) {
$immediateChildren[] = $child;
} elseif ($level < $nextLevel) {
// Re-assign immediateChildren to grandchildren
$grandchildren = array_merge($grandchildren, $immediateChildren);
// Set new children
$immediateChildren = array($child);
} else {
$grandchildren[] = $child;
}
}
}
if (!empty($immediateChildren)) {
$lowestLevel = $this->_getNeededChildLevel($immediateChildren[0], $compoundLevel);
// Determine which composite media type is needed to accommodate the
// immediate children
foreach ($this->_compositeRanges as $mediaType => $range) {
if ($lowestLevel > $range[0]
&& $lowestLevel <= $range[1]) {
$newContentType = $mediaType;
break;
}
}
// Put any grandchildren in a subpart
if (!empty($grandchildren)) {
$subentity = $this->_createChild();
$subentity->_setNestingLevel($lowestLevel);
$subentity->setChildren($grandchildren, $compoundLevel);
array_unshift($immediateChildren, $subentity);
}
}
$this->_immediateChildren = $immediateChildren;
$this->_children = $children;
$this->_setContentTypeInHeaders($newContentType);
$this->_fixHeaders();
$this->_sortChildren();
return $this;
}
/**
* Get the body of this entity as a string.
*
* @return string
*/
public function getBody()
{
return ($this->_body instanceof Swift_OutputByteStream)
? $this->_readStream($this->_body)
: $this->_body;
}
/**
* Set the body of this entity, either as a string, or as an instance of
* {@link Swift_OutputByteStream}.
*
* @param mixed $body
* @param string $contentType optional
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setBody($body, $contentType = null)
{
if ($body !== $this->_body) {
$this->_clearCache();
}
$this->_body = $body;
if (isset($contentType)) {
$this->setContentType($contentType);
}
return $this;
}
/**
* Get the encoder used for the body of this entity.
*
* @return Swift_Mime_ContentEncoder
*/
public function getEncoder()
{
return $this->_encoder;
}
/**
* Set the encoder used for the body of this entity.
*
* @param Swift_Mime_ContentEncoder $encoder
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setEncoder(Swift_Mime_ContentEncoder $encoder)
{
if ($encoder !== $this->_encoder) {
$this->_clearCache();
}
$this->_encoder = $encoder;
$this->_setEncoding($encoder->getName());
$this->_notifyEncoderChanged($encoder);
return $this;
}
/**
* Get the boundary used to separate children in this entity.
*
* @return string
*/
public function getBoundary()
{
if (!isset($this->_boundary)) {
$this->_boundary = '_=_swift_v4_'.time().'_'.md5(getmypid().mt_rand().uniqid('', true)).'_=_';
}
return $this->_boundary;
}
/**
* Set the boundary used to separate children in this entity.
*
* @param string $boundary
*
* @throws Swift_RfcComplianceException
*
* @return Swift_Mime_SimpleMimeEntity
*/
public function setBoundary($boundary)
{
$this->_assertValidBoundary($boundary);
$this->_boundary = $boundary;
return $this;
}
/**
* Receive notification that the charset of this entity, or a parent entity
* has changed.
*
* @param string $charset
*/
public function charsetChanged($charset)
{
$this->_notifyCharsetChanged($charset);
}
/**
* Receive notification that the encoder of this entity or a parent entity
* has changed.
*
* @param Swift_Mime_ContentEncoder $encoder
*/
public function encoderChanged(Swift_Mime_ContentEncoder $encoder)
{
$this->_notifyEncoderChanged($encoder);
}
/**
* Get this entire entity as a string.
*
* @return string
*/
public function toString()
{
$string = $this->_headers->toString();
$string .= $this->_bodyToString();
return $string;
}
/**
* Get this entire entity as a string.
*
* @return string
*/
protected function _bodyToString()
{
$string = '';
if (isset($this->_body) && empty($this->_immediateChildren)) {
if ($this->_cache->hasKey($this->_cacheKey, 'body')) {
$body = $this->_cache->getString($this->_cacheKey, 'body');
} else {
$body = "\r\n".$this->_encoder->encodeString($this->getBody(), 0,
$this->getMaxLineLength()
);
$this->_cache->setString($this->_cacheKey, 'body', $body,
Swift_KeyCache::MODE_WRITE
);
}
$string .= $body;
}
if (!empty($this->_immediateChildren)) {
foreach ($this->_immediateChildren as $child) {
$string .= "\r\n\r\n--".$this->getBoundary()."\r\n";
$string .= $child->toString();
}
$string .= "\r\n\r\n--".$this->getBoundary()."--\r\n";
}
return $string;
}
/**
* Returns a string representation of this object.
*
* @see toString()
*
* @return string
*/
public function __toString()
{
return $this->toString();
}
/**
* Write this entire entity to a {@see Swift_InputByteStream}.
*
* @param Swift_InputByteStream
*/
public function toByteStream(Swift_InputByteStream $is)
{
$is->write($this->_headers->toString());
$is->commit();
$this->_bodyToByteStream($is);
}
/**
* Write this entire entity to a {@link Swift_InputByteStream}.
*
* @param Swift_InputByteStream
*/
protected function _bodyToByteStream(Swift_InputByteStream $is)
{
if (empty($this->_immediateChildren)) {
if (isset($this->_body)) {
if ($this->_cache->hasKey($this->_cacheKey, 'body')) {
$this->_cache->exportToByteStream($this->_cacheKey, 'body', $is);
} else {
$cacheIs = $this->_cache->getInputByteStream($this->_cacheKey, 'body');
if ($cacheIs) {
$is->bind($cacheIs);
}
$is->write("\r\n");
if ($this->_body instanceof Swift_OutputByteStream) {
$this->_body->setReadPointer(0);
$this->_encoder->encodeByteStream($this->_body, $is, 0, $this->getMaxLineLength());
} else {
$is->write($this->_encoder->encodeString($this->getBody(), 0, $this->getMaxLineLength()));
}
if ($cacheIs) {
$is->unbind($cacheIs);
}
}
}
}
if (!empty($this->_immediateChildren)) {
foreach ($this->_immediateChildren as $child) {
$is->write("\r\n\r\n--".$this->getBoundary()."\r\n");
$child->toByteStream($is);
}
$is->write("\r\n\r\n--".$this->getBoundary()."--\r\n");
}
}
/**
* Get the name of the header that provides the ID of this entity.
*/
protected function _getIdField()
{
return 'Content-ID';
}
/**
* Get the model data (usually an array or a string) for $field.
*/
protected function _getHeaderFieldModel($field)
{
if ($this->_headers->has($field)) {
return $this->_headers->get($field)->getFieldBodyModel();
}
}
/**
* Set the model data for $field.
*/
protected function _setHeaderFieldModel($field, $model)
{
if ($this->_headers->has($field)) {
$this->_headers->get($field)->setFieldBodyModel($model);
return true;
} else {
return false;
}
}
/**
* Get the parameter value of $parameter on $field header.
*/
protected function _getHeaderParameter($field, $parameter)
{
if ($this->_headers->has($field)) {
return $this->_headers->get($field)->getParameter($parameter);
}
}
/**
* Set the parameter value of $parameter on $field header.
*/
protected function _setHeaderParameter($field, $parameter, $value)
{
if ($this->_headers->has($field)) {
$this->_headers->get($field)->setParameter($parameter, $value);
return true;
} else {
return false;
}
}
/**
* Re-evaluate what content type and encoding should be used on this entity.
*/
protected function _fixHeaders()
{
if (count($this->_immediateChildren)) {
$this->_setHeaderParameter('Content-Type', 'boundary',
$this->getBoundary()
);
$this->_headers->remove('Content-Transfer-Encoding');
} else {
$this->_setHeaderParameter('Content-Type', 'boundary', null);
$this->_setEncoding($this->_encoder->getName());
}
}
/**
* Get the KeyCache used in this entity.
*
* @return Swift_KeyCache
*/
protected function _getCache()
{
return $this->_cache;
}
/**
* Get the grammar used for validation.
*
* @return Swift_Mime_Grammar
*/
protected function _getGrammar()
{
return $this->_grammar;
}
/**
* Empty the KeyCache for this entity.
*/
protected function _clearCache()
{
$this->_cache->clearKey($this->_cacheKey, 'body');
}
/**
* Returns a random Content-ID or Message-ID.
*
* @return string
*/
protected function getRandomId()
{
$idLeft = md5(getmypid().'.'.time().'.'.uniqid(mt_rand(), true));
$idRight = !empty($_SERVER['SERVER_NAME']) ? $_SERVER['SERVER_NAME'] : 'swift.generated';
$id = $idLeft.'@'.$idRight;
try {
$this->_assertValidId($id);
} catch (Swift_RfcComplianceException $e) {
$id = $idLeft.'@swift.generated';
}
return $id;
}
private function _readStream(Swift_OutputByteStream $os)
{
$string = '';
while (false !== $bytes = $os->read(8192)) {
$string .= $bytes;
}
$os->setReadPointer(0);
return $string;
}
private function _setEncoding($encoding)
{
if (!$this->_setHeaderFieldModel('Content-Transfer-Encoding', $encoding)) {
$this->_headers->addTextHeader('Content-Transfer-Encoding', $encoding);
}
}
private function _assertValidBoundary($boundary)
{
if (!preg_match(
'/^[a-z0-9\'\(\)\+_\-,\.\/:=\?\ ]{0,69}[a-z0-9\'\(\)\+_\-,\.\/:=\?]$/Di',
$boundary)) {
throw new Swift_RfcComplianceException('Mime boundary set is not RFC 2046 compliant.');
}
}
private function _setContentTypeInHeaders($type)
{
if (!$this->_setHeaderFieldModel('Content-Type', $type)) {
$this->_headers->addParameterizedHeader('Content-Type', $type);
}
}
private function _setNestingLevel($level)
{
$this->_nestingLevel = $level;
}
private function _getCompoundLevel($children)
{
$level = 0;
foreach ($children as $child) {
$level |= $child->getNestingLevel();
}
return $level;
}
private function _getNeededChildLevel($child, $compoundLevel)
{
$filter = array();
foreach ($this->_compoundLevelFilters as $bitmask => $rules) {
if (($compoundLevel & $bitmask) === $bitmask) {
$filter = $rules + $filter;
}
}
$realLevel = $child->getNestingLevel();
$lowercaseType = strtolower($child->getContentType());
if (isset($filter[$realLevel])
&& isset($filter[$realLevel][$lowercaseType])) {
return $filter[$realLevel][$lowercaseType];
} else {
return $realLevel;
}
}
private function _createChild()
{
return new self($this->_headers->newInstance(),
$this->_encoder, $this->_cache, $this->_grammar);
}
private function _notifyEncoderChanged(Swift_Mime_ContentEncoder $encoder)
{
foreach ($this->_immediateChildren as $child) {
$child->encoderChanged($encoder);
}
}
private function _notifyCharsetChanged($charset)
{
$this->_encoder->charsetChanged($charset);
$this->_headers->charsetChanged($charset);
foreach ($this->_immediateChildren as $child) {
$child->charsetChanged($charset);
}
}
private function _sortChildren()
{
$shouldSort = false;
foreach ($this->_immediateChildren as $child) {
// NOTE: This include alternative parts moved into a related part
if ($child->getNestingLevel() == self::LEVEL_ALTERNATIVE) {
$shouldSort = true;
break;
}
}
// Sort in order of preference, if there is one
if ($shouldSort) {
usort($this->_immediateChildren, array($this, '_childSortAlgorithm'));
}
}
private function _childSortAlgorithm($a, $b)
{
$typePrefs = array();
$types = array(
strtolower($a->getContentType()),
strtolower($b->getContentType()),
);
foreach ($types as $type) {
$typePrefs[] = (array_key_exists($type, $this->_alternativePartOrder))
? $this->_alternativePartOrder[$type]
: (max($this->_alternativePartOrder) + 1);
}
return ($typePrefs[0] >= $typePrefs[1]) ? 1 : -1;
}
// -- Destructor
/**
* Empties it's own contents from the cache.
*/
public function __destruct()
{
$this->_cache->clearAll($this->_cacheKey);
}
/**
* Throws an Exception if the id passed does not comply with RFC 2822.
*
* @param string $id
*
* @throws Swift_RfcComplianceException
*/
private function _assertValidId($id)
{
if (!preg_match(
'/^'.$this->_grammar->getDefinition('id-left').'@'.
$this->_grammar->getDefinition('id-right').'$/D',
$id
)) {
throw new Swift_RfcComplianceException(
'Invalid ID given <'.$id.'>'
);
}
}
/**
* Make a deep copy of object.
*/
public function __clone()
{
$this->_headers = clone $this->_headers;
$this->_encoder = clone $this->_encoder;
$this->_cacheKey = uniqid();
$children = array();
foreach ($this->_children as $pos => $child) {
$children[$pos] = clone $child;
}
$this->setChildren($children);
}
}
``` |
```shell
Clear the terminal instantly
Terminal based browser
Useful aliasing in bash
Breaking out of a terminal when `ssh` locks
Conditional command execution
(`&&` operator)
``` |
Davy Dona (born 13 October 1981 in Choisy-le-Roi, France) is a French karateka who won a gold medal in the men's kumite -60 kg weight class at the 2003 European Karate Championships. He also runs a dojo with his wife, Lolita.
References
1981 births
Living people
People from Choisy-le-Roi
Sportspeople from Val-de-Marne
French male karateka
Mediterranean Games bronze medalists for France
Mediterranean Games medalists in karate
Competitors at the 2005 Mediterranean Games
20th-century French people
21st-century French people |
The 1992 Frankfurt Galaxy season was the second season for the team in the World League of American Football (WLAF). The team was led by head coach Jack Elway in his second year, and played its home games at Waldstadion in Frankfurt, Germany. They finished the season in second place of the European Division with a record of three wins and seven losses.
Offseason
World League draft
Personnel
Staff
Roster
Schedule
Standings
Game summaries
Week 1: at Barcelona Dragons
Week 2: at London Monarchs
Week 3: vs Birmingham Fire
Week 4: vs Barcelona Dragons
Week 5: at New York/New Jersey Knights
Week 6: vs Orlando Thunder
Week 7: at Ohio Glory
Week 8: at Sacramento Surge
Week 9: vs San Antonio Riders
Week 10: vs London Monarchs
References
Frankfurt Galaxy seasons |
MDMEOET, or 3,4-methylenedioxy-N-methoxyethylamphetamine, is a lesser-known psychedelic drug and a substituted amphetamine. It is also the N-methoxyethyl analogue of MDA. MDMEOET was first synthesized by Alexander Shulgin. In his book PiHKAL (Phenethylamines i Have Known And Loved), the minimum dosage is listed as 180 mg. MDMEOET produces few to no effects. Very little data exists about the pharmacological properties, metabolism, and toxicity of MDMEOET.
Legality
United Kingdom
This substance is a Class A drug in the Drugs controlled by the UK Misuse of Drugs Act.
See also
Phenethylamine
Psychedelics, dissociatives and deliriants
References
External links
MDMEOET entry in PiHKAL
MDMEOET entry in PiHKAL • info
Substituted amphetamines
Benzodioxoles |
M.Perumalpalayam is a village in the Vazhapadi taluk of Salem district, in Tamil Nadu, India.
Geography
M.Perumalpalayam is within Vazhapadi taluk, which is in the central part of Salem district. It covers of land in the taluk, just to the southwest of its Gudamalai reserved forest, which occupies its geographic center. It is located west of Vazhapadi, the taluk headquarters, east of Salem, the district headquarters, and southwest of the state capital of Chennai. The only railway in Vazhapadi taluk runs through the village, and National Highway 79 passes to its south.
Demographics
In 2011 M.Perumalpalayam had a population of 5,232 people living in 1,360 households. The numbers of male and female inhabitants were almost equal, with 2,615 male and 2,617 female residents. 509 children in the town, about 10% of the population, were at or below the age of 6. The literacy rate in the town was 57.5%. Scheduled Castes and Scheduled Tribes accounted for 65.4% and 0.05% of the population, respectively.
References
Villages in Salem district
Villages in Vazhapadi taluk |
Chebulic acid is a phenolic compound isolated from the ripe fruits of Terminalia chebula.
This compound possesses an isomer, neochebulic acid.
Chebulic acid is a component of transformed ellagitannins such as chebulagic acid or chebulinic acid.
References
Ellagitannins
Lactones |
Abdul Nacer Benbrika () (born in Algeria ), also known as Abu Bakr (Arabic: أبو بكر), is a convicted criminal, currently serving an Australian custodial sentence of fifteen years, with a non-parole period of twelve years for intentionally being the leader and a member of a terrorist organisation. Benbrika was one of 17 men arrested in the Australian cities of Sydney and Melbourne in November 2005, charged with being members of a terrorist organisation and of planning terrorist attacks on targets within Australia. Benbrika is alleged to be the spiritual leader of the group. All 17 men pleaded not guilty. On 15 September 2008 Benbrika was found guilty as charged and subsequently sentenced.
Benbrika completed his sentence on 5 November 2020, but he is being kept in jail under an interim order from the Victorian Supreme Court requested by the Federal Government's Department of Home Affairs who applied to the court to keep him detained.
On 1 November 2023, Benbrika won his High Court bid to restore his Australian citizenship, which was cancelled in 2020.
Personal background
Benbrika was born in Algeria: various sources give his age as 45 or 46 as of November 2005. He was trained as an aircraft engineer. He arrived in Australia in May 1989 on a one-month visitor's permit, on which he twice gained extensions, and settled in the northern suburbs of Melbourne, an area with a large Muslim population. After his permit expired in 1990 he became a prohibited non-citizen, then spent the next six years fighting through the Immigration Review Tribunal appeals process, for the right to stay. During his hearings he told the tribunal of his "love of the Australian lifestyle".
In 1992, Benbrika married a Lebanese woman who was an Australian citizen, with whom he had seven children. He was granted Australian residence in 1996 and became a citizen in 1998, although he is reported to have retained his Algerian citizenship as well. He had been on government welfare benefits for some years and this has become a topic of debate.
Standing in the Muslim community
His teachings became increasingly politicised after the US-led invasions of Afghanistan and Iraq. This came at a time when the Muslim community was under intense scrutiny from the Australian government and media outlets.
Benbrika was said to have been a teacher and a deputy-leader at the Islamic Information & Support Centre of Australia led by Mohammed Omran who, as Sheikh Abu Ayman, also lead the Ahlus Sunnah Wal Jamaah Association. Omran has denied that he had close ties with Benbrika.
Benbrika began teaching smaller groups on a less formal basis after he refused the requests of more formal organisations that he tone down his teachings.
Islamic Council of Victoria board member Waleed Aly said Benbrika's group was "a splinter of a splinter of a splinter. Most Muslims had never heard of him until he appeared on the ABC's [7.30 Report]." Waleed Aly was quoted as saying. "... He formed his own group with a handful of young men who he calls his students." Benbrika's students included a number of those arrested along with him in November, one of whom is alleged to have undergone military training in Afghanistan.
Terrorism
Benbrika came to public attention when he told an Australian ABC interviewer: "Osama bin Laden, he is a great man. Osama bin Laden was a great man before 11 September, which they said he did it, until now nobody knows who did it." He was quoted as defending Muslims fighting against coalition forces in Iraq and Afghanistan, and said anyone who fought in the name of God would be forgiven their sins. "According to my religion, jihad is a part of my religion and what you have to understand is that anyone who fights for the sake of Allah, when he dies, the first drop of blood that comes from him out all his sin will be forgiven."
During 2004 and 2005 Australian security agencies had Benbrika under surveillance as a possible instigator of terrorist acts. In March his passport was withdrawn on advice from the Australian Security Intelligence Organisation (ASIO), and ASIO agents raided his Melbourne home in June. In November, according to media reports, ASIO became convinced that Benbrika's group, and an affiliated group in Sydney, was actively planning a terrorist attack. It was at this time that the federal government was introducing new anti-terrorism legislation, the Australian Anti-Terrorism Act 2005. It is said that on the advice of ASIO, the Australian Parliament amended the law relating to terrorism, broadening the definition of planning 'a' terrorist act. A few days later police raids in Sydney and Melbourne arrested Benbrika and 16 other men, one of whom was shot after allegedly opening fire on police in Sydney. It has also been said that the timing of the arrests was planned to coincide with the new laws.
Benbrika and his 12 fellow defendants (including Shane Kent, Fadal Sayadi, Ahmed Raad, Amer Haddara, Abdulla Merhi, Ezzit Raad, Hany Taha and Aimen Joud) appeared in a Melbourne magistrates' court the day after their arrest. All are of Muslim immigrant backgrounds except Kent, who is a convert. Benbrika was charged with "directing the activities of a terrorist organisation." He did not apply for bail and was remanded in custody. Several of his fellow defendants applied for bail on numerous occasions during their pre-trial remand detention in the maximum security Acacia Unit of Barwon Prison, from November 2005 until their trial began in February 2008.
Benbrika also had links to the defendants in the 2005 Sydney terrorism plot, Khaled Cheikho, Moustafa Cheikho, Mohamed Ali Elomar, Abdul Rakib Hasan and Mohammed Omar Jamal.
Government and police officials said the group was stockpiling chemicals that could have been used to make explosives, but they had not been charged with this offence. According to the Melbourne Herald Sun, the group was "plotting a terrorist spectacular on the scale of the al-Qaeda attacks on London and Madrid." The explosive device they were assembling was called the "Mother of Satan" by the jihadists. Victorian police commissioner Christine Nixon said she believed the arrests, which came after 16 months of police surveillance, had "seriously disrupted the activities of a group intent on carrying out a terrorist attack". The raids were planned after new information was obtained, she said. She said although the group had no known specific target, "We were concerned that the attack was imminent, and we believe that we have sufficient evidence that will go before the courts to show that."
In an interview before his arrest, Benbrika denied he was involved in terrorist activities. "I am not involved in anything here," he said. "I am teaching my brothers here the Koran and the Sunnah, and I am trying my best to keep myself, my family, my kids and the Muslims close to their religion."
In company with the other defendants, Benbrika appeared in a Melbourne court in March 2007, under extremely strict security. The proceedings of the case were subject to severe reporting restrictions in Victoria.
Trial
The trial of Benbrika began in October 2007. He and eleven other accused were charged of terrorism offences. The case was presided over by Justice Bernard Bongiorno and was initially prosecuted by Nick Robinson, but later trials included Richard Maidment SC as prosecutor. Benbrika was represented in court by Remy Van de Weil QC, instructed by solicitor Josh Taaffe.
At a hearing in February 2008, the prosecution in its opening remarks outlined the details of 500 phone conversations, recorded by telephone intercepts and hidden listening devices, between Benbrika and the 11 men in his group also on trial. Prosecutors alleged phone records revealed the group's plans: "to cause maximum damage. To cause the death of a thousand ... by use of a bomb."
They allege the group led by Benbrika was "bent on violent jihad" and "planned terrorist attacks on football games or train stations to maximise deaths" and that Benbrika said that in some cases it was theologically permissible to "kill women, children and the elderly".
The court was told how Benbrika allegedly used at least 10 different mobile phones that were registered under false names and addresses.
The jury in the case retired to consider its verdict on 20 August 2008. On 15 September Benbrika was found guilty on the charge of intentionally being the leader and a member of a terrorist organisation.
On 3 February 2009 Supreme Court Justice Bernard Bongiorno sentenced Benbrika to 15 years' jail with a non-parole period of 12 years. In his comments Bongiorno said the word jihad had many meanings in Islam, but Benbrika had warped the term to mean "only a violent attack by his group to advance the Islamic cause". Bongiorno also said evidence "suggested that Benbrika was still committed to violent jihad, had shown no contrition for his offences and had talked about continuing the group's activities behind bars if its members were jailed".
Apart from the charges of Intentionally being a member of a terrorist organisation and Intentionally directing activities of a terrorist organisation, Benbrika was also convicted in a later trial of 'Possession of a thing connected with preparation for a terrorist act'. But a further ruling in March 2011 found him not guilty of this later charge. This conviction for the offence of 'Possession of a thing connected with preparation for a terrorist act' was quashed, with the court concluding "that the trial judge had misdirected the jury as to the requirements for establishing that offence." His sentence for the charge of Intentionally being a member of a terrorist organisation was also reduced from 7 to 5 years.
Amer Hadarra, Aimen Joud, Fadl Sayadi, Abdullah Merhi, Ezzit Raad and Ahmed Raad, were also found guilty of being members of a terrorist organisation. They were all automatically paroled in 2015 after serving the minimum sentence. Hany Taha, Bassam Raad, Majed Raad and Shoue Hammoud were found not guilty.
Despite having completed his sentence on 5 November 2020, Benbrika was kept in jail under an interim order from the Victorian Supreme Court. The Federal Department of Home Affairs had applied to the court to keep him detained.
During imprisonment
While in jail, Benbrika has been able to exert significant influence in spreading jihadist ideology. Associates and relatives of his have died fighting for Islamic State. The Australian Federal Government decided to revoke his Australian citizenship due to his terrorism conviction. He is the first individual to have lost citizenship onshore in Australia.
Benbrika challenged the validity of the part of the citizenship act which allowed his Australian citizenship to be stripped. On 1 November 2023, it was announced the High Court of Australia in a 6-1 split, found the law was invalid, restoring Benbrika's Australian citizenship.
ABC News []
See also
Islam in Australia
Islamic organisations in Australia
Islamic Information and Services Network of Australasia
Islamic schools and branches
Mohammed Omran
Terrorism in Australia
References
External links
"Cleric has been closely watched", CNN, 7 November 2005
"Terror swoop: More arrests likely", CNN, 8 November 2005
"Jihad in Australia: court told of plot", by Dewi Cooke, Sydney Morning Herald, 8 November 2005
Algerian emigrants to Australia
1960s births
Living people
Algerian Islamists
Australian Islamists
Sunni Islamists
Australian prisoners and detainees
Algerian Sunni Muslims
Australian Sunni Muslims
People imprisoned on charges of terrorism
Leaders of Islamic terror groups
War on terror
Australian people of Algerian descent
Australian Muslim activists
Year of birth missing (living people) |
N-Desalkylflurazepam (also known as norflurazepam) is a benzodiazepine analog and an active metabolite of several other benzodiazepine drugs including flurazepam, flutoprazepam, fludiazepam, midazolam, flutazolam, quazepam, and ethyl loflazepate. It is long-acting, prone to accumulation, and binds unselectively to the various benzodiazepine receptor subtypes. It has been sold as a designer drug from 2016 onward.
References
Benzodiazepines
GABAA receptor positive allosteric modulators
Human drug metabolites |
Rumley is an unincorporated community in Van Buren County, Arkansas, United States. It was founded in 1866 by Henry Rumley. Rumley originally consisted of a series of small homes, a general store and had a largely self-sustaining agrarian economy. As with many contemporary towns, Rumley was situated on a railroad. Trains would provide dry goods and mail to the local store.
Van Buren County history
Van Buren County was created on 11 November 1833 and was formed from Independence, Clark and Izard Counties. The rugged landscape is conducive to subsistence agriculture and the Little Red River runs through its boundaries. The seat of government is located at Clinton. The county contains a portion of Greers Ferry Lake, a tourist destination and is bordered by Searcy (north), Stone (northeast), Cleburne (east), Faulkner (southeast), Conway (southwest) and Pope (west) Counties. Parts of Van Buren County were used to form Cleburne County in 1883 and Stone County in 1873. Several other boundary changes occurred in the 19th century.
Unincorporated communities in Van Buren County, Arkansas
Populated places established in 1866
Unincorporated communities in Arkansas
1866 establishments in Arkansas |
Gurankesh-e Molla Goharam (, also Romanized as Gūrānkesh-e Mollā Goharām and Gūrānkosh-e Mollā Gahrām; also known as Gorān Kash, Gowrān Kash-e Bālā, Gūrānkesh-e Bālā, Gūrān Kesh-e Bālā, Gūrānkesh-e Mollā Goharān, Gūrānkosh, Gūrān Kosh-e Bālā, Kūrānkoch-e Bālā, and Kūrānkosh) is a village in Kambel-e Soleyman Rural District, in the Central District of Chabahar County, Sistan and Baluchestan Province, Iran. At the 2006 census, its population was 74, in 20 families.
References
Populated places in Chabahar County |
Merchants and Miners Transportation Company, often called M&M and Queen of Sea, was a major cargo and passenger shipping company founded in 1852 in Baltimore, Maryland. In 1852 is started with routes from Baltimore and Boston two wooden side wheelers ships. In 1859 M&M added two iron hulled steamers to its fleet. In 1866, post Civil War, M&M added routes to Providence, Rhode Island, Norfolk and Savannah, Georgia. In 1876 M&M purchased the Baltimore & Savannah Steamship Company add routes to Savannah, Jacksonville and Charleston. In 1907 the Winsor Line of Philadelphia's J. S. Winslow & Company of Portland, Maine was purchased, with seven steamships. The Winsor Line was founded in 1884 by J. S. Winslow. The Winsor Line first route was from Norfolk, Virginia to New England ports, supplying West Virginia coal. The Winsor Line sailing ship Addie M. Lawrence took ammunition to Europe during World War I. By World War II M&M had a fleet of 18 ships and add routes to Miami. With the outbreak of World War II the War Shipping Administration requisitioned Merchants and Miners Transportation Company fleet of ships for the war effort.
During World War II Merchants and Miners Transportation Company operated Merchant navy ships for the United States Shipping Board. During World War II Merchants and Miners Transportation Company was active with charter shipping with the Maritime Commission and War Shipping Administration. Merchants and Miners Transportation Company operated Liberty ships for the merchant navy. The ship was run by its Merchants and Miners Transportation Company crew and the US Navy supplied United States Navy Armed Guards to man the deck guns and radio.
Post World War II, with an aging fleet of ships, the shareholders sold off the fleet of ships, did not buy any surplus warships and closed in 1948.
Jacob S. Winslow
Captain Jacob S. Winslow (1827-1902) founded the sailing ship company Winsor Line in 1861, he was born in Pembroke, Maine. He started as a seaman at age 14 and at 19 was the captain of his own ship. He had two shipyards that built over 100 ships, one in Portland, the Winslow Shipbuilding Company and one in Pembroke, Yarmouth County, Nova Scotia, Canada. In 1919 Captain W.A. Magee joined Winslow Shipbuilding Company as VP and GM. Winslow was an abolitionist and politically active, he had the nickname of "barefoot". Winslow married Philena Morton (1832-1877) in 1853.
Ships
Merchants and Miners Transportation Company ships:
SS William Lawrence (1869) a historic shipwreck and archaeological site off Hilton Head Island, South Carolina
SS Dorchester
SS Yorktown (1894)
USS Vulcan (1884)
SS Telena
SS Suwannee, sold in 1917 to Savannah Line, renamed City of Rome. Sank 25 September 1925 after a collision with USS S-51 (SS-162).
World War II ships:
Victory ship:
Pachaug Victory
Liberty ships:
Harry L. Glucksman
Dudley H. Thomas
M. E. Comerford
Mack Bruton Bryan
Milan R. Stefanik
B. Charney Vladeck
Nathaniel Alexander
SS Lewis Emery Jr.
Will Rogers
William Few
Albert C. Ritchie
Amelia Earhart
Edward A. Savoy
Dolly Madison
SS Thomas T. Tucker, sank 1942
All ships owned
All ship owned by Merchants and Miners Transportation Company:
See also
World War II United States Merchant Navy
References
External links
Liberty Ships built by the United States Maritime Commission in World War II
Transport companies established in 1852
Defunct shipping companies of the United States
1948 disestablishments in the United States
Transport companies disestablished in 1948 |
Rio, I Love You () is a 2014 Brazilian anthology film starring an ensemble cast of actors of various nationalities. It's the fourth film in the Cities of Love franchise (following 2006's Paris, je t'aime, the 2008 film New York, I Love You, and Tbilisi, I Love You released earlier in 2014), created and produced by Emmanuel Benbihy.
Production
The participating directors were Brazilians Carlos Saldanha (Ice Age and Rio), José Padilha (Elite Squad), Andrucha Waddington (The House of Sand) and Fernando Meirelles (City of God), the Lebanese director Nadine Labaki (Caramel), the Mexican screenwriter Guillermo Arriaga (Babel), the Australian director Stephan Elliott (The Adventures of Priscilla, Queen of the Desert), the Italian director Paolo Sorrentino (The Great Beauty), the American actor and director John Turturro, and the South Korean director Im Sang-soo (A Good Lawyer's Wife, The Housemaid).
The opening and closing sequences, plus the transitions were directed by Brazilian Vicente Amorim, while musician Gilberto Gil composed the theme song.
Those responsible for producing the film, among them Rio Filme, disclosed that the cost of production was R$20 million.
Segments
Economic response
In 2016, U.S. Theatrical and DVD receipts were $60,000.
Critical response
Rio, I Love You received largely negative reviews from critics. On the review aggregator site Rotten Tomatoes, the film holds an 8% "rotten" rating based on 25 reviews, with an average rating of 3.55 out of 10. Pat Padua of The Washington Post said "the film is wonderful to look at. It’s just that the writing is consistently terrible". Ben Kenigsberg of The New York Times heavily criticized the film's lack of cohesion and its adherence to tourist-friendly depictions of Rio de Janeiro. He also noted it has the corporate sponsorship of Fiat, Unilever and others. Miami New Times' Kenji Fujishima calls it a "barrel-scraping collective project." Eye For Films Andrew Robertson rated it two stars and calls it "baffling in construction and execution" The Hollywood Reporter's unattributed review says "The only people sure to love this concoction are those working for Rio’s tourism bureau, which may well have picked the camera’s vantage points for many lush and lovely overhead shots of the city’s distinctive terrain."
References
External links
2014 films
Brazilian anthology films
Brazilian romantic drama films
Films set in Rio de Janeiro (city)
Films shot in Rio de Janeiro (city)
Films with screenplays by Paolo Sorrentino |
Kashirin () is a rural locality (a khutor) in Kuybyshevskoye Rural Settlement, Sredneakhtubinsky District, Volgograd Oblast, Russia. The population was 4 as of 2010. There are 2 streets.
Geography
Kashirin is located 22 km southwest of Srednyaya Akhtuba (the district's administrative centre) by road. Stakhanovets is the nearest rural locality.
References
Rural localities in Sredneakhtubinsky District |
```shell
Pushing to a remote branch
Fetching a remote branch
What is rebasing?
The golden rule of rebasing
Cherry-pick a commit
``` |
Philippe Musard (8 November 1792 – 31 March 1859) was a French composer who was crucial to the development and popularity of the promenade concert. One of the most famous personalities of Europe during the 1830s and 1840s, his concerts in Paris and London were riotous (in several senses of the word) successes. Best known for his "galop" and "quadrille" pieces, he composed many of these numbers himself, usually borrowing famous themes of other composers. Musard plays an important role in the development of light classical music, the faculty of publicity in music, and in the role of the conductor as a musical celebrity. He has been largely forgotten subsequent to his retirement in the early 1850s.
History
Philippe Musard was born in Tours on 8 November 1792 to parents of limited financial means. Musard joined a unit of the Imperial Guards as a cornet player. His musical career began in the outskirts of Paris, where he played the horn for low-class dances public halls, for which he composed some music. When Napoleon was defeated, he moved to London, started as a violinist, and eventually his career progressed to the point of leading the orchestra of King George IV and organized balls, becoming wealthy in the process. Between 1821 and 1825 many of his compositions were published in London, and some of these were performed in Paris. Musard moved back to Paris following the July Revolution on 1830 and established a series of concerts at Cours-la-Reine. He attended the Conservatoire de Paris and obtained first prize in harmony in 1831. He studied privately under Anton Reicha.
In 1832 Paris was gripped by fear of an impending cholera outbreak, which was then devastating England. With the help of a financier, Musard produced concerts at the Théâtre des Variétés which catered to the resulting hedonism of the time. After a time Musard had a falling out with his financial partner, but soon was able to independently produce his concerts. Central to these concerts was a can-can of "lascivious spectacle" involving girls dressed in only feather boas and gloves. Such was the frenetic delirium of these concerts that writers of the time compared them to a civil war, or even a massacre. Initially these concerts caused considerable scandal, but the government decided to tolerate them as a "safety valve" to prevent further civil disturbance. His 1833 concerts were at a hall, later called the Salle Valentino on Rue Saint-Honoré. By this time Musard had attained huge personal popularity, and his concerts evolved into relatively sedate promenade concerts. In these concerts the audience was free to move around the concert area, and activities included dancing to quadrilles, waltzes, and other forms of dance, drinking, and eating. The music prominently featured was composed by Musard, as well as other composers in vogue at the time such as Daniel Auber and Gioachino Rossini. Musard acquired further substantial wealth as a result of these concerts, where he not only conducted, but created and managed the orchestras. He composed music specifically for these concerts in prolific fashion, and his ability as a conductor was noted.
He experienced some health issues within his chest in 1836 and became a patient of Samuel and Mélanie Hahnemann. As a result, he became an ardent supporter of homeopathy. The summer of 1837 saw Musard performing at a large facility on Champs-Élysées, and in the winter moving back to the Salle Valentino. Here Musard, after experiencing stiff competition from Johann Strauss Sr., endeavored to collaborate with his Viennese counterpart. Strauss would conduct the first half of the concert, whereupon Musard would take over for the second part. This proved a great success, and for a time Musard was given the title "Strauss of the Quadrille" and Strauss called "the Musard of the Waltz." 1837 also saw a rumor take root that Musard had died, and a general outpouring of grief ensued. His popularity was eclipsed for a time in the late 1830s by his friend Louis-Antoine Jullien, who tried to out-Musard Musard by using such devices as artillery where Musard merely used a pistol. However, Musard was restored to Parisian prominence upon Jullien's sudden departure from Paris on account of Jullien's great debts. In 1838 the first concerts "à la Musard" were held in London, held in numerous locations and led by conductors ranging in prestige from Strauss to Pilati. Musard's name was carried to the United States in December that same year by Francis Johnson in a series of "Concerts à la Musard". In the late 1830s the outdoor promenade concerts waned in popularity in Paris, but Musard was then appointed to the Paris Opera in 1840 as "Director of the Balls". When Musard's son Alfred (1828–1881), who succeeded him in music and in business, led a series of concerts in the United States his first name was hidden in a deliberate attempt to mislead potential audiences that the Quadrille King was present.
His reputation preceding him in England, Musard was expected to bring his concerts to Exeter Hall in October 1839, but these events never occurred as the shareholders disallowed them, feeling the comportment would violate the intended religious purpose of the building. Musard did arrive October, 1840 in London for a series of concerts at Drury Lane Theatre. He left December 19 that year, owing to previous engagements back in Paris, but returned to London at the Lyceum Theatre the following autumn, competing with Jullien. In the middle of the 1840s Musard's popularity began to decline. His last appearance in London occurred the summer of 1845, where he appeared at the Vauxhall Gardens, the Surrey Gardens, and at Queen Victoria's royal Costume Ball at Buckingham Palace. He owned an estate in Auteuil, at that point a wealthy suburban village, and became mayor of that location.
In September 1851 Musard suffered a stroke which left him befuddled and paralyzed on the right side. He was treated by the homeopath Charles Lethière, but suffered another stroke late in October, which greatly inhibited his reasoning ability. Musard was scheduled to conduct a series of winter concerts as usual, and Lethière and his son Alfred proceeded to assemble the accustomed large orchestra, with Alfred conducting. Lethière relates that upon arrival, Musard appeared completely oblivious to either his friends, or to the enthusiastic acclimations of the crowd. However, when the music started, Philippe "began to tremble violently" and "his eyes grew bright" and he snatched the baton from his son and began conducting with great vigor. He went on to conduct every one of his Paris concerts that season. He retired in 1852, still considered the "doyen of dance composers" in France, and proceeded to live quietly off of his savings. His life ended as one of great material wealth, but of great physical and mental difficulty. He died in Auteuil on 31 March 1859, almost completely forgotten in a short time; even the musical press barely noticed.
Impact and influence
Musard's reputation was nothing short of international. Concerts in London were advertised as "a la Musard", as were those in the United States. Musard's concerts eventually developed into the concept of "light classical" music. His promenade concerts included standard classical fare in addition to the dance music. Cheaper than more formal concert settings, Musard's music was attended by the lower middle class and the working class, thereby introducing classical music to a broader audience, those who had never previously attended concerts and who viewed music purely as entertainment. The price for these concerts was set at 1 franc, in order to exclude the lowest classes. When his promenade concerts were exported to London, the price was likewise set at an attainable single shilling. His concerts were described in 1837 as "a musical paradise" in "a spacious hall furnished with mirrors, couches, ottomans, statues, fountains, and floral decorations, and at one end a café attended by a troupe of ‘perfumed waiters'". His orchestras were very large, containing as many as 48 violins, fourteen cornets, and a dozen trombones.
Musard became the first celebrity conductor. It was Musard, along with Jullien, who placed the conductor as a musician on par with the most prominent virtuosos. Audiences attended his concerts not only for the music, but to see the man himself in the act of leading the orchestra, regardless of the music being performed At climactic moments, Musard would dispose of his baton, throwing it into the audience, and rise to a standing position (standard practice at the time placed the conductor in a sitting position) to display his dominance over the happenings. Musard employed wild gestures including the hands, feet, arms, knees, and not the least grotesque facial expressions when leading. As a result, rumors circulated that he made a deal with the Devil, preceding Paganini's reputation, captured in poems such as:
Ce Musard infernal
C'est Satan qui conduit le bal!
This infernal Musard
It is Satan who leads the dance!
He was not considered attractive physically, having acquired significant scarring from smallpox, a yellow complexion, and had an unkempt appearance, always dressing in a black suit that was not measured properly. A small man, dancers and concert audiences would lift him up and carry him on their shoulders around the concert hall at the conclusion. He became one of the top celebrities in Paris, to the point that effigies made of chocolate, marzipan, and gingerbread were made of his "grotesque" figure and sold and consumed in great quantities throughout Paris.
Musard was an innovator in publicity for musical concerts. He used handbills and newspaper advertisers for promotional purposes. In this manner his influence on Francis Johnson was more important than his musical influence, thereby affecting the manner in which American music was promoted.
Because of the outstanding success of his concerts, Musard had many emulators. The most significant of these was Louis-Antoine Jullien. Other followers included Francis Johnson, Thomas Baker and his own son Alfred Musard.
Musard initiated his compositional career in a serious vein, writing three string quartets, as well as an academic paper on composition. Musard's musical innovations included the use of numerous instrumental soloists, as well as using sound effects (including breaking chairs and pistol shots) to signal important developments within the program. These unusual effects originated accidentally, when one of his players' chairs broke during the concert in an audibly significant fashion. Fortunately for Musard, the timing of the crash was in keeping with the music, and the audience greatly approved, thinking it a novel development of Musard's. Not to let an opportunity for greater spectacle pass, Musard immediately incorporated this as a regular part of his act. He became the first composer to assign trombones the principal melody. He borrowed heavily from compositions his listeners would recognize, which engendered some measure of criticism and legal action against his publishers. These famous pieces would be transformed into his gallops and quadrilles, transforming the character of the music into something "infernal". Some music critics felt that Musard "butchered" the music, and English critics considered Musard's re-working of Handel's Messiah to be a "profane desecration." However, even when using the work of others he employed effective counterpoint of his own device. He is credited with the invention of the "galop infernal." His compositions were widely published in both Paris and London. His output totaled more than 150 polkas, quadrilles, and waltzes. His most famous composition was Quadrille des Huguenots.
Johann Strauss Sr. requested of Musard that he might play in Musard's orchestra, in order to fully understand the French quadrille. Jacques Offenbach's earliest compositions were written in hopes of being performed by Musard. Musard's orchestra greatly influenced Ureli Corelli Hill when he was seeking a way to properly operate an orchestra.
Personality
In spite of the size of his orchestra, Musard was known to hire the best musicians, and to pay them wages far above the going rate. This was not to his own financial detriment, as Carse states that he had "an almost diabolical mind for business." He had considerable personal charm, and was known for his conversational ability. He relied on his personality, not his physical attractiveness, to hold his audience. In fact, Punch described his appearance more apt for a humble grocer, but as a showman he was highly adept at entertaining.
References
Bibliography
1792 births
1859 deaths
French classical composers
French male classical composers
19th-century classical composers
Musicians from Tours, France
Mayors of places in Île-de-France
19th-century French politicians
French conductors (music)
French male conductors (music)
19th-century conductors (music)
19th-century French composers
Deal with the Devil |
Milad El-Halabi JP is a former Australian politician. He was a councillor on the City of Moreland (now known as the City of Merri-bek) in Victoria from 2004 until 2008, and again from 2020 until 2022.
In February 2022, El-Halabi resigned as a councillor after being charged with conspiracy to cheat and defraud for allegedly tampering with the council election in his ward. It was later found that he had been unduly elected.
Political career
El-Halabi was first elected to the City of Moreland in North-West Ward at the 2004 local elections. He was defeated in 2008, receiving 4.13% of the vote.
He unsuccessfully contested the 2012 and 2016 local elections, receiving 3.22% and 3.78% of the vote respectively
At the 2020 local elections, El-Halabi returned to the council as the fourth councillor elected in North-West Ward.
On 10 February 2022, El-Halabi was being charged by Victoria Police with conspiracy to cheat and defraud for allegedly tampering with the election in his ward. He resigned as a councillor, and suspended as a member of the Labor Party. He was replaced via countback the following month by Socialist Alliance's Monica Harte.
El-Halabi, his wife Dianna and his daughter Tania, were alleged to have stole multiple ballot papers and lodged them with the Victorian Electoral Commission, therefore prejudicing the election result.
On 31 March 2023, the Victorian Civil and Administrative Tribunal (VCAT) found that El-Halabi was unduly elected, but the election of the 3 other councillors to North-West Ward was not affected by the inclusion of fraudulent ballots in the count. El-Halabi continues to deny all allegations.
References
Victoria (state) local councillors
21st-century Australian politicians
Year of birth missing (living people)
Living people |
Tamara Tatham (born August 19, 1985) is a Canadian professional basketball player. She plays for the Canada women's national basketball team. She has competed in the 2012 and 2016 Summer Olympics. She is tall.
Playing career
Tatham played college basketball at the University of Massachusetts from 2003 to 2007, appearing in a total of 115 games for the Minutewomen, averaging 10.3 points, 6.6 boards, 2.0 assists and 1.7 steals a contest.
She kicked off her professional career in 2007, signing with Catz Lappeenranta in Finland, where she spent the 2007-08 campaign. Tatham enjoyed great success in her five years in Germany, representing the SV Halle Lions (2008–09, 2010 - 2013) and TSV Wasserburg (2009–10), hauling in 2012 Eurobasket.com All-German DBBL Player of the Year honours as well as Eurobasket.com All-German DBBL Defensive Player of the Year distinction in 2009 and 2012. She also made the Eurobasket.com All-German DBBL 1st Team in 2009, 2012 and 2013.
After leaving Germany, Tatham took her game to Slovakia, signing with Extraliga outfit Piestanske Cajky in 2013. In her second season with the club (2014–15), she earned Eurobasket.com All-Slovakian Extraliga Player of the Year honours.
Tatham played for Townsville Fire of the Australian WNBL in 2015, followed by a one-year stint in Russia, representing Dynamo Novosibirsk in 2016-17. She signed with USO Mondeville of the French league LFB for the 2017-18 campaign.
National Team
Tatham played for Canada's women's national team at the 2012 and 2016 Olympic Games as well as at the 2010 and 2014 World Championships. She also represented her country at the Panamerican Games, reaching the semis in 2007 and winning gold in 2015. Tatham was a member of the Canadian squad that captured a bronze medal at the 2011 FIBA Americas, a silver medal at the 2013 FIBA Americas and a gold medal at the 2015 FIBA Americas.
Pan Am games 2015
Tatham was a member of the Canada women's national basketball team which participated in basketball at the 2015 Pan American Games held in Toronto, Ontario, Canada July 10 to 26, 2015. Canada opened the preliminary rounds with an easy 101–38 win over Venezuela. The following day they beat Argentina 73–58. The final preliminary game was against Cuba; both teams were 2–0, so the winner would win the group. The game went down to the wire with Canada eking out a 71–68 win. Canada would face Brazil in the semifinal.
Everything seemed to go right in the semifinal game. Canada opened the game with an 11–2 run on seven consecutive points by Miranda Ayim. Miah-Marie Langlois contributed five assists. In the third quarter Canada strongly out rebounded Brazil and hit 69% of their field goals to score 33 points in the quarter. Lizanne Murphy and Nirra Fields hit three-pointers to help extend the lead to 68–39 at the end of three quarters. Canada continued to dominate in the fourth quarter with three-pointers by Kia Nurse and Kim Gaucher. Canada went on to win the game 91–63 to earn a spot in the gold-medal game against the USA.
The gold-medal game matched up the host team Canada against USA, in a sold out arena dominated by fans in red and white and waving the Canadian flag. The Canadian team, arm in arm, sang Oh Canada as the respective national anthems were played.
After trading baskets early the US edged out to a double-digit lead in the second quarter. However the Canadians, spurred on by the home crowd cheering, fought back and tied up the game at halftime. In the third quarter, it was Canada's time to shine as they outscore the US 26–15. The lead would reach as high as 18 points. The USA would fight back, but not all the way and Canada won the game and the gold-medal 81–73. It was Canada's first gold-medal in basketball in the Pan Am games. Nurse was the star for Canada with 33 points, hitting 11 of her 12 free-throw attempts in 10 of her 17 field-goal attempts including two of three three-pointers. Tatham contributed ten points, including six for six from the free throw line.
University of Massachusetts statistics
Source
Coaching career
In April 2021, Tatum was named the head coach of the Varsity Blues women's basketball program at the University of Toronto. She had been named the assistant coach since June 2017 and became the interim head coach in 2020 after the retirement of Michèle Bélanger. After nationwide search, the school concluded that the two-time Olympian should be named as the head coach.
References
External links
UMass bio
1985 births
Living people
Basketball players at the 2012 Summer Olympics
Basketball players at the 2015 Pan American Games
Basketball players at the 2016 Summer Olympics
Basketball players from Toronto
Black Canadian basketball players
Canadian expatriate basketball people in Australia
Canadian expatriate basketball people in Germany
Canadian expatriate basketball people in the United States
Canadian women's basketball players
Forwards (basketball)
Medalists at the 2015 Pan American Games
Olympic basketball players for Canada
Pan American Games gold medalists for Canada
Pan American Games medalists in basketball
Sportspeople from Brampton
UMass Minutewomen basketball players
Isenberg School of Management alumni
University of Massachusetts Amherst alumni |
The Tauranga campaign was a six-month-long armed conflict in New Zealand's Bay of Plenty in early 1864, and part of the New Zealand Wars that were fought over issues of land ownership and sovereignty. The campaign was a sequel to the invasion of Waikato, which aimed to crush the Māori King (Kingitanga) Movement that was viewed by the colonial government as a challenge to the supremacy of the British monarchy.
British forces suffered a humiliating defeat in the Battle of Gate Pā on 29 April 1864, with 31 killed and 80 wounded despite outnumbering their Māori foe, but saved face seven weeks later by routing their enemy at the Battle of Te Ranga, in which more than 100 Māori were killed or fatally wounded, including their commander, Rawiri Puhirake.
Background
In late January 1864 British commander General Duncan Cameron—at the time still facing the intimidating Paterangi line of Māori defences in the Waikato campaign—despatched by sea an expedition to occupy Tauranga, through which he believed his enemy were transporting men and supplies from the East Coast. The local Ngāi Te Rangi Māori were hostile to the government, a major gunpowder store was known to be inland of Tauranga and the district was an important source of food for Māori fighting British forces in the Waikato. While Colonel Henry Greer was landed with his force at Te Papa, where they built two redoubts, Captain Robert Jenkins, commander of HMS Miranda, was ordered to blockade the harbour to prevent the arrival of more Māori reinforcements.
Though Cameron's strategy gained the enthusiastic support of Premier Frederick Whitaker and his cabinet, who were keen to use the 1863 confiscations legislation to open fresh territory for European settlement, Governor George Grey was opposed, fearing it would raise rebellion in more Māori tribes, including those that had thus far refrained from supporting the Kingitanga movement. Grey withdrew his initial assent for Whitaker's orders to take an aggressive stance and instead directed the Tauranga expedition's commander, Brigadier George Carey, to remain strictly on the defensive, apart from intercepting armed bands en route to the Waikato.
Alerted to their arrival, Ngāi Te Rangi warriors returned from the Waikato battlefields and built a hilltop fort, or pā, on high ground at Te Waoku near the Waimapu Stream overlooking the Bay of Plenty, where they established a garrison of about 100 men. Ngāi Te Rangi chief Rawiri Puhirake taunted Carey in a letter, challenging him to fight, then in April 1864 moved closer to the British base to occupy to a new ridge-top position at Pukehinahina, a locality known to Europeans as "The Gate" because of the presence of a post-and-rail fence and gateway used by Māori to block Pākehā trespassers. The new fortification, which became known as the "Gate Pā", was built just 5 km from imperial troops, who were prohibited by Grey's orders from intervening. Puhirake, finding it increasingly difficult to keep his force together without a battle in prospect, again attempted to goad the British into action.
Meanwhile, fighting had already broken out nearby. A large contingent of East Coast Māori, possibly as many as 700 warriors, were making their way towards the conflict at Waikato. Their route took them through the territory of another tribe which saw themselves as allies of the Pākehā, the Arawa tribe based around Rotorua. Forewarned of this, the Arawa chiefs called back their tribesmen, many of whom were working in Auckland or further north. Pausing in Tauranga to borrow guns from the British, they hastened onward to Rotorua. Four hundred warriors of the tribe were mobilised and they met and held the East Coast Māori on 7 April in a two-day battle on the shores of Lake Rotoiti. On 27 April fighting broke out again on the coast, with Māori loyal to the Crown supported by the 43rd Regiment and British corvettes firing on Kingite Māori as they were pursued through the sand dunes.
Battle of Gate Pā
Still hoping to provoke an attack, the 250 Ngāi Te Rangi fighters at Pukehinahina enlarged the existing trench and banks and transformed the pā into a system of two redoubts, including a honeycomb of rua, or anti-artillery bunkers. Ngāi Te Rangi garrisoned the main redoubt, and about 30 members of the Ngāti Koheriki hapu and another 10 men from Piri-Rikau and other hapu manned the smaller redoubt. With timber scarce in surrounding swampland, palisading was frail, but the location of the redoubt on a hilltop, and the total span of the palisading gave their enemy the impression of greater strength than it actually possessed. In all, the total garrison of Gate Pā was about 230 men.
On 5 April Cameron abandoned hope of pursuing Ngāti Hauā leader and prominent Kingite Wiremu Tamihana after his foe evacuated the besieged Te Tiki o te Ihingarangi pā near Lake Karapiro. Cameron switched his attention to Tauranga, arriving there on 21 April in and established his headquarters at Tauranga. In addition to the reinforcements on Esk, more from Auckland arrived on . Within days Cameron decided he had sufficient forces to finally march against Gate Pā.
On the afternoon of 28 April, Cameron launched an hour-long attack on the front of Gate Pā with four batteries of artillery placed at a range of between 350 and 800 metres. The battery—the heaviest used in the wars of 1863–1864—included a 110-pounder Armstrong gun, two 40-pounder and two six-pounder Armstrongs, two 24-pounder howitzers, two eight-inch mortars, and six Coehorn mortars. According to accounts by Hēni Te Kiri Karamū and Hōri Ngātai, the first victims of the British cannon shots were Church of England ministers conducting prayers.
Late in the night Greer moved his 700 men from the 68th Regiment across swamps to the east of Gate Pā under cover of darkness and rain to take up a position to the rear of the redoubt to cut off a Māori retreat. Those forces were joined by a detachment of the Naval Brigade from the warships Esk, Falcon and . By daybreak on 29 April Cameron had a total of about 1650 men surrounding the pā: 700 of the 68th Regiment, 420 from the Naval Brigade, 300 of the 43rd Regiment, 50 Royal Artillery, and another 180 members of the 12th, 14th, 40th and 65th Regiments.
At first light on 29 April the assembled guns and mortars opened fire again, this time maintaining the bombardment for more than eight hours. They destroyed the palisade and completely suppressed Māori gunfire. An estimated 30 tonnes of shell and shot were dropped on or near the Māori position, killing about 15 of the defenders.
At about 4pm, with no sign of life in the pā, Cameron ordered an assault by 300 men—a combined force of Naval Brigade under Commander Hay and the 43rd Regiment, led by Lieutenant-Colonel H.G. Booth—who ran in four abreast with fixed bayonets. Another 300 men followed at a distance as a reserve. Some in the initial British assault force were shot as they entered the main pā, and inside the redoubt more fell as they engaged in hand-to-hand combat with Māori armed with shotguns and mere (short clubs). A lull of about five minutes occurred, during which time Captain G.R. Greaves, who was with the leading files of the assault party, left the pā and reported to Cameron that the redoubt had been captured and that British casualties were light.
But minutes later, as the rear of the pā was breached by the 68th Regiment, all changed. In a sequence of events that is still unclear, fierce fighting erupted, taking a heavy toll on the invaders and panicked British forces began streaming out of the pā. Historian James Cowan wrote: "More than a hundred of the assaulting column were casualties, and the glacis and the interior of the pā were strewn with dead or dying. The Maori suffered too, but not severely." Thirty-one of the British force died, including 10 officers, while 80 were wounded. At least 25-30 Māori were killed or missing.
Several theories exist to explain the British stampede from the pā. A contemporary report by a seaman in the pā suggested that the flood of soldiers from the 68th Regiment at the rear was mistaken for Māori reinforcements. Historian James Belich has postulated that the bulk of the Māori garrison remained concealed in camouflaged bunkers as the British forces stormed the pā, before unleashing waves of heavy volleys from close range on the British, who were almost standing on their hidden foes. Belich cites descriptions of the main redoubt as being "like ratholes everywhere, with covered ways and underground chambers" and notes that Rawiri Puhirake ordered defenders to "not utter a word or fire a shot till the proper time came for the order". Belich claims that by providing only a feeble defence from the garrison during the storming of the pā and keeping his garrison hidden, Rawiri Puhirake employed a "remarkable tactical ploy ... brilliantly implemented as well as brilliantly conceived" to lure the British into a deadly trap.
As night fell, the Gate Pā garrison, assuming the site would be stormed the next morning, evacuated their position, passing through the lines of the 68th Regiment and fleeing across surrounding swamps before dispersing.
Reaction to British defeat
Gate Pā was the single most devastating defeat suffered by the British military in the New Zealand Wars: while British casualties totalled more than a third of the storming party, Māori losses are generally unknown but thought to number at least 25-30, including Ngāi Te Rangi chiefs Te Reweti, Eru Puhirake, Tikitu, Te Kani, Te Rangihau, and Te Wharepouri, and Te Urungawera chief Te Kau. Te Moana-nui and Te Ipu were among the wounded, estimated at at least 25-30. To contemporaries Gate Pā was seen as a shattering and humiliating defeat, with one newspaper noting that the "gallant" force had been "trampled in the dust ... by a horde of half-naked, half-armed savages".
Grey, horrified by the disaster, began exploring ways to limit the extent of land confiscations and thus reduce Māori resistance. Grey visited Tauranga on 12 May to confer with Cameron and engaged some neutral Māori to act as intermediaries with the Kingites to negotiate a peace agreement.
Three days later, on 15 May, Cameron advised Grey he had decided to cease aggressive operations in Tauranga; the following day he left for Auckland with 700 men, leaving Greer in command of Te Papa with instructions to remain strictly on the defensive. On 20 May the Māori mediators reported that the Kingites were willing to surrender their arms "if they can have full claims over their lands and the Governor will promise to see that no harm befalls them". By early June several Ngāi Te Rangi warriors had handed in their guns and naval commodore William Wiseman reported to London that hostilities in the area had ceased.
Battle of Te Ranga
Despite government hopes of peace, Kingite forces—newly reinforced by hapu of Ngāti Pikiao, from Rotoiti, as well as a Ngati-Porou war party from the East Cape and commanded by Hoera te Mataatai—decided in June to again challenge the British forces. They selected Te Ranga, a steep but flat-topped ridge about 5 km from Gate Pā, and began working on entrenchments and rifle pits to cut off a bush track.
On 21 June Greer, leading a reconnaissance patrol of about 600 men of the 43rd and 68th Regiments and 1st Waikato Militia, came upon the 500-strong Māori force labouring on Te Ranga's defences. Knowing any delay would allow his foe to strengthen their defences, Greer chose to launch an immediate attack. He sent back to Te Papa for reinforcements, then deployed his men to fan out and open fire on the pā's outposts and trenches. As the reinforcements—220 men including cavalry and one Armstrong gun—arrived two hours later, he ordered a charge on Te Ranga. The Māori responded to the ferocity of the advance of British bayonets with double-barrelled shotguns, but had little time to reload and were forced to fight hand-to-hand with mere. Between 83 and 120 Māori were killed or fatally wounded, half of them with bayonets; Gate Pā commander Rawiri Puhirake was among the dead. His death prompted the survivors to flee. Thirteen privates of the 43rd and 68th Regiments were killed in the battle, and six officers and 33 non-commissioned officers and privates wounded.
Settlers celebrated the success at Te Ranga, the last serious engagement of the Tauranga campaign, as "by far the most brilliant achievement obtained throughout the whole war". Coming so soon after the humiliating defeat at Gate Pā, they viewed it as a satisfying act of revenge that reclaimed the honour of the troops. But Cameron, who was showing an increasing distaste for the war against a foe among whom he found more courage and chivalry than among the colonists, remained steadfast in his opposition to further aggressive actions.
One hundred and thirty-three Ngāi Te Rangi warriors surrendered to the British on 24 July. By 29 August the entire tribe with the exception of one hapu—36 members of Piri Rakau—had followed suit. The tribe gave up some of land and 81 guns, although they still retained a number of firearms in their possession.
Aftermath
Piri Rakau, the Waikato hapu that refused to surrender in 1864, fled into the hills behind Tauranga where they lived in hiding at Kuranui. With them were Ngati Porou followers of the Pai Mārire religious cult who arrived in exile about 1869 and Kuranui became a place of sanctuary for many people of different tribal origins. The community gave support to Te Kooti when he ventured north to Matamata in early 1870. Te Kooti, having been rebuffed by King Tāwhiao in western Waikato and the King Country, was trying to lay claim to the eastern Waikato. Two Arawa hapu also joined Te Kooti's rebels, but Tauranga Māori were anxious not to renew the war in Tauranga and distanced themselves from Te Kooti. Chief Tana Taingakawa, Wiremu Tamihana's son from Ngati Haua, wrote to Colonel Moule urging him not to fight Te Kooti in his land.
Footnotes
References
Further reading
Conflicts in 1864
New Zealand Wars
1864 in New Zealand
Tauranga
History of the Bay of Plenty Region |
Joshua Michael Blainey Davison (born 16 September 1999) is an English professional footballer who plays as a forward for AFC Wimbledon.
Club career
Davison began his career with Peterborough United and enjoyed loan spells at both St Neots Town and Wisbech Town, before making a permanent move to Isthmian League side, Enfield Town ahead of the 2018–19 campaign. He made his debut during Enfield's 2–1 victory in the Alan Turvey Trophy, against Ware in September 2018. Following a brief loan spell with Barking, Davison returned to the club and went on to score his first goals for the club during a 4–1 victory over Burgess Hill Town in the Alan Turvey Trophy, netting a 76-minute hat-trick. Davison then went on to net three more times for the club before leaving Enfield in June 2019.
On 18 October 2019, following a trial period with the under-23s, Davison sealed a move to Championship side Charlton Athletic until the end of the season and made his first-team debut during a 2–2 draw with West Bromwich Albion, just a week after signing for the Addicks.
On 24 October 2020, Davison joined Woking until January 2021. On 13 January 2021, it was reported that Davison's loan had expired at Woking and he had returned to Charlton Athletic with the view to a loan move to a League Two club. Six days later, he joined Forest Green Rovers on loan until the end of the season.
On 24 January 2022, Davison joined Swindon Town on loan for the rest of the 2021–22 season.
On 18 July 2022, Davison joined AFC Wimbledon on a permanent deal. He scored his first goals for Wimbledon when he scored twice in a 5-2 defeat to Mansfield Town on 16 August 2022.
Career statistics
References
External links
1999 births
Living people
English men's footballers
Men's association football forwards
Barking F.C. players
Charlton Athletic F.C. players
Enfield Town F.C. players
Peterborough United F.C. players
St Neots Town F.C. players
Wisbech Town F.C. players
Woking F.C. players
Forest Green Rovers F.C. players
Swindon Town F.C. players
AFC Wimbledon players
English Football League players
Isthmian League players
Southern Football League players
Footballers from the London Borough of Enfield |
Gary McCann, known professionally as Caspa (born 30 May 1982), is a dubstep music producer from West London.
Biography
McCann's creative involvement in music began after a promising basketball career was cut short by a shoulder injury. Growing up, McCann cites Jungle and Hip Hop as his main influences. He received his first public attention when, his first track, Bassbins recorded under the pseudonym Quiet Storm, was picked up by BBC Radio 1Xtra's DJ Da Flex.
McCann has started his own label, which focuses on dubstep and grime artists. Storming Productions was founded in 2004 and then he joined Stingray Records in 2006. Around this time, he also began his own radio show on Rinse FM. McCann also created an additional label Dub Police to focus specifically on Dubstep. Dub Police is composed of Rusko, L-Wiz, N-Type, The Others and more.
He has performed at a number of high-profile UK music festivals, including Glastonbury and Global Gathering and his release Back for the First Time has received widespread public attention, being playlisted on BBC Radio 1. He has also performed at many other notable festivals around the world such as Exit Festival in Serbia, Stereosonic in Australia and Lollapalooza in the U.S. Despite his widespread success, McCann still finds time to perform every two months at the renowned Fabric in his hometown of London.
His debut album Everybody's Talking, Nobody's Listening was released on 4 May 2009 on Caspa's own label Sub Soldiers/Fabric Records and included an appearance from legendary reggae figure Sir David 'Ram Jam' Rodigan.
In August 2012, it was announced that Caspa and various notable electronic music producers would be featured on the Halo 4 remix album.
"War" featuring Keith Flint was used in the trailer for Kick-Ass 2.
In 2014, McCann moved to Denver, Colorado, US. He cites Denver's music culture and friendly people as influential factors, although he is unsure whether the move will be permanent.
Discography
Releases
"For The Kids" / "Jeffery & Bungle" / "Cockney Flute" – Dub Police – 2006
"Rubber Chicken" – Tempa – 2006
"Cockney Violin" / "Dub Warz" – Dub Police – 2006
"Acton Dread" / "Cockney Flute (Rusko Remix)" – Rusko / Caspa – Dub Police – 2007
"Ave It: Volume 1" – Sub Soldiers – 2007
"Louder" / "Noise Disorganiser" – Pitch Black – 2007
"Bread Get Bun" / "King George" – Aquatic Lab – 2007
"Ohh R Ya – License to Thrill Part 1" – Dub Police – 2007
"Ave It: Volume 2" – Sub Soldiers 2008
"Floor Dem" / "My Pet Monster" – Digital Sound Boy – 2008
"Soulful Geeza – License To Thrill Part 4" – Dub Police – 2008
"Louder VIP" / "Power Shower" – Sub Soldiers – 2009
"The Takeover (featuring Dynamite MC)" / "Marmite" – Sub Soldiers / Fabric 2009
Everybody's Talking, Nobody's Listening – Sub Soldiers / Fabric – 2009
"Are You Ready" – Dub Police / Scion AV – 2010
"I Beat My Robot" / "Marmite (Original Sin Remix)" – Sub Soldiers / Fabric – 2010
"Terminator (Trolley Snatcha Remix)" / "Marmite (Doctor P Remix)" – Sub Soldiers – 2010
"Love Never Dies (Back for the First Time)" – Sub Soldiers – 2010 (with Mr Hudson)
"Neck Snappah" – Sub Soldiers – 2011
"Fulham To Waterloo" / "Bang Bang" – Sub Soldiers – 2011
"Not for the Playlist EP" – Sub Soldiers – 2011
"Sell Out EP" – Sub Soldiers – 2012
"War" (featuring Keith Flint) – EMI UK – 2012
"Check Your Self!" – Released via SoundCloud – 2012
"On It" (featuring Mighty High Coup) – Dub Police – 2012
Alpha Omega – Dub Police – 2013
"Mad Man" (featuring Riko) – Dub Police – 2014
"Neurological" – Submerged Music – 2018
Remixes
DJ Kudos – "Bring The Lights Down (Caspa Mix)" – Sound Proof Records – 2006
Art of Noise – "Moments in Love (Caspa Remix)" – Not on Label – 2007
N-Type / The Others – "Way of the Dub (Caspa Remix) / Bushido (Caspa Remix)" – Dub Police – 2007
Matty G – "West Coast Rocks (Caspa Remix)" – Argon – 2007
Wonder – "What (Caspa Remix)" – Wonderland – 2008
Lennie De Ice – "We Are I E (Caspa & Rusko Remix") – Y4K – 2008
TC – "Wheres My Money (Caspa Remix)" – D-Style Recordings – 2008
Depeche Mode – "Wrong (Caspa Remix)"- EMI – 2009
Deadmau5 & Kaskade – "I Remember (Caspa Remix)" – Mau5trap – 2009
Rusko – "Cockney Thug (Caspa Remix)" – Sub Soldiers – 2009
Grand Puba – "Get it (Caspa's 80Eightie's Remix)" – Scion/AV – 2009
Kid Sister – "Right Hand Hi (Caspa Remix)" – Asylum Records – 2009
Miike Snow – "Black & Blue (Caspa Remix)" – Columbia – 2009
Breakage Feat. Newham Generals & David Rodigan – "Hard (Caspa & The Others – The Dub Police Takeover Remix)" – Digital Soundboy – 2009
Adam F & Horx feat. Redman – "Shut The Lights Off (Caspa & Trolley Snatcha – The Dub Police Takeover Remix)" – Breakbeat Kaos – 2009
30 Seconds To Mars Feat. Kanye West – "Hurricane (Caspa Remix)" – Capitol – 2010
Ludacris – "How Low (Caspa Remix)" – Def Jam – 2010
Swedish House Mafia Feat. Pharrell – "One" (Your Name) (Caspa Remix) – Polydore – 2012
Katy B – "Easy Please Me (Caspa Remix)" – Rinse – 2011
Buraka Som Sistema – "Hangover (BaBaBa) (Caspa Remix)" – Enchufada – 2011
Plan B – "Ill Manors (Caspa Remix)" – Atlantic – 2012
Neil Davidge – "Ascendancy (Halo 4 OST) (Caspa Remix)" – 7 Hz Productions – 2012
Deadmau5 – "FML (Caspa Re-Fix)" – Released via SoundCloud – 2012
The Prodigy - "The Day Is My Enemy" (Caspa Remix) - Take Me to the Hospital/Cooking Vinyl, Three Six Zero/Warner Bros - 2015
DJ mixes
Caspa & Rusko – FabricLive.37 – fabric – 2007
"My Style" – Dub Police – 2010
Caspa – Mix 1.0 – 2017
References
External links
Official website
Caspa's SoundCloud
Dubstep musicians
DJs from London
English record producers
Living people
1982 births
Electronic dance music DJs |
Ebensee am Traunsee () (Central Bavarian: Emsee) is a market town in the Traunviertel region of the Austrian state of Upper Austria, located within the Salzkammergut Mountains at the southern end of the Traunsee. The regional capital Linz lies approximately to the north, nearest towns are Gmunden and Bad Ischl. The municipality also comprises the Katastralgemeinden of Langwies, Oberlangbath, Rindbach, Kohlstatt and Roith.
History
With the Traunviertel, Ebensee since 1180 belonged to the Duchy of Styria held by the House of Babenberg from 1192, until in 1254 King Ottokar II of Bohemia finally allocated it to his Austrian duchy. Ebensee itself was first mentioned in a 1447 deed.
From 1596 on Emperor Rudolf II had a salt evaporation pond erected near the settlement, supplied with brine being delivered via a long pipeline from the salt mines around Hallstatt. Ebensee therefore was the primary production centre for salt in Austria. Historically, the site was chosen because of the rich forests, whose wood was used to boil the salt out of the brine. In 1883 the Belgian chemist Ernest Solvay established soda works of the Solvay company at Ebensee. Although a former industrial center in the larger Salzkammergut region, it has recently fallen on bad fortunes with the closure of some of the larger factories.
Nazi concentration camp
In 1943, the SS established Ebensee concentration camp (codename "Zement") near the town, a planned emergency location for the Peenemünde research centre after the RAF Operation Hydra attack. It was part of the Mauthausen network. Slave laborers were worked to death digging tunnels for armaments storage. The camp was liberated by American soldiers in May 1945. Due to the extremely high death rates, Ebensee is considered one of the most horrific Nazi concentration camps.
Used as a Displaced Persons camp after the war, the area is today site of a memorial and a museum.
Population
Politics
Seats in the municipal assembly (Gemeinderat) as of 2021 elections:
Social Democratic Party of Austria (SPÖ): 16
Austrian People's Party (ÖVP): 6
Citizens' List for Ebensee (BÜFE): 11
Freedom Party of Austria (FPÖ): 4
Tourism
Ebensee is surrounded by three picturesque lakes, the Traunsee, the Offensee and the Langbathsee. The Traunsee is large enough to be used for boating, while the other two lakes are smaller, surrounded by mountains, and used only for bathing; both are protected natural areas. On the shore of the Langbathsee is a 19th-century hunting lodge erected at the behest of Emperor Franz Joseph I of Austria.
Since 1927 an aerial tramway built by the Bleichert engineering company runs up to the summit of the Feuerkogel mountain. Other tourist attractions include the Gasselhöhle show cave and a small skiing area with about ten lifts.
Parts of the 1968 Where Eagles Dare film were shot in the Ebensee area.
Climate
Feuerkogel is a nearby mountain peak with a weather station on it.
Twin towns – sister cities
Ebensee is twinned with:
Prato, Italy, since 1987
Zawiercie, Poland, since 2000
Notable people
Frederick Katzer (1844–1903), Bishop of Green Bay
References
External links
Mauthausen concentration camp
Cities and towns in Gmunden District |
François Wahl (13 May 1925 - 15 September 2014) was a French editor and structuralist.
Biography
François Wahl was editor at the Éditions du Seuil, a publishing company in Paris. He was the editor of Jacques Lacan and Jacques Derrida, among others.
He was involved in the publication of Tel Quel. and he became friends with Roland Barthes and Philippe Sollers. He was Severo Sarduy's partner until the latter's death. He also taught philosophy to Elie Wiesel in the 1940s.
In 1987, Wahl, acting as Roland Barthes's literary executor, published his essays Incidents, which tells of his homosexual bouts with Moroccan young men, and Soirées de Paris, which chronicles his difficulty to find a male lover in Paris. Wahl met with controversy, compounded by the fact that he refused to publish more of Barthes's seminars.
References
External links
François Wahl collection on Severo Sarduy at Princeton University Library Special Collections
1925 births
2014 deaths
French philosophers
French gay writers
Structuralists
Analysands of Jacques Lacan |
Lady Daeseowon of the Dongju Gim clan (; ) was the daughter of Gim Haeng-Pa who became the 20th wife of Taejo of Goryeo. She was the older sister of Lady Soseowon, her husband's 21st wife. In 922, their father moved to Seogyeong (nowadays Pyeongyang City) under King Taejo's command.
One day, when Taejo went to Seogyeong, Gim Haeng-Pa met him on the road with the group he was hunting with and asked Taejo to come to his house. Taejo then agree this and came to Gim's house which he had his two daughters to take care of Taejo for one night each. However, after that day, Taejo didn't return again and as a result, that two women went back home and became nuns. Later, when Taejo heard these story, he took pity on the two sisters and called them, but when Taejo saw them, he said:
"Since you have already gone home, you cannot take it away from you.""너희가 이미 출가하였으므로, 그 뜻을 빼앗을 수 없다."
Seogyeong then built 2 Temples under Palace's command, there were: "Grand Western" (대서원, 大西院) and "Little Western" (소서원, 小西院) with each had a field and slaves, so that the two sisters were each to live there. Because of this, the older sister named "Lady (Dae)Seowon" and the younger sister named "Lady (So)Seowon".
References
External links
대서원부인 on Encykorea .
Year of birth unknown
Year of death unknown
Consorts of Taejo of Goryeo
People from North Hwanghae Province |
```java
package loopeer.com.appbarlayout_spring_extension;
import android.content.Intent;
import android.os.Bundle;
import androidx.appcompat.app.AppCompatActivity;
import android.view.View;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
public void onNormalAppBarLayoutClick(View view) {
startActivity(new Intent(this, NormalAppBarLayoutActivity.class));
}
public void onSpringAppBarLayoutClick(View view) {
startActivity(new Intent(this, SpringAppBarLayoutActivity.class));
}
public void onSpringTabAppBarLayoutClick(View view) {
startActivity(new Intent(this, SpringAppBarLayoutWithTabActivity.class));
}
}
``` |
Surat () is a commune in the Puy-de-Dôme department in Auvergne in central France.
See also
Communes of the Puy-de-Dôme department
References
Communes of Puy-de-Dôme |
```ruby
class Spidermonkey < Formula
desc "JavaScript-C Engine"
homepage "path_to_url"
url "path_to_url"
version "115.14.0"
sha256 your_sha256_hash
license "MPL-2.0"
head "path_to_url", using: :hg
# Spidermonkey versions use the same versions as Firefox, so we simply check
# Firefox ESR release versions.
livecheck do
url "path_to_url"
regex(/data-esr-versions=["']?v?(\d+(?:\.\d+)+)["' >]/i)
end
bottle do
sha256 cellar: :any, arm64_sonoma: your_sha256_hash
sha256 cellar: :any, arm64_ventura: your_sha256_hash
sha256 cellar: :any, sonoma: your_sha256_hash
sha256 cellar: :any, ventura: your_sha256_hash
sha256 x86_64_linux: your_sha256_hash
end
depends_on "pkg-config" => :build
depends_on "python@3.11" => :build # path_to_url
depends_on "rust" => :build
depends_on macos: :ventura # minimum SDK version 13.3
depends_on "readline"
uses_from_macos "llvm" => :build # for llvm-objdump
uses_from_macos "m4" => :build
uses_from_macos "zlib"
on_linux do
depends_on "icu4c"
depends_on "nspr"
end
conflicts_with "narwhal", because: "both install a js binary"
# From python/mozbuild/mozbuild/test/configure/test_toolchain_configure.py
fails_with :gcc do
version "7"
cause "Only GCC 8.1 or newer is supported"
end
# Apply patch used by `gjs` to bypass build error.
# ERROR: *** The pkg-config script could not be found. Make sure it is
# *** in your path, or set the PKG_CONFIG environment variable
# *** to the full path to pkg-config.
# Ref: path_to_url
# Ref: path_to_url
patch do
on_macos do
url "path_to_url"
sha256 your_sha256_hash
end
end
def install
# Help the build script detect ld64 as it expects logs from LD_PRINT_OPTIONS=1 with -Wl,-version
if DevelopmentTools.clang_build_version >= 1500
inreplace "build/moz.configure/toolchain.configure", '"-Wl,--version"', '"-Wl,-ld_classic,--version"'
end
mkdir "brew-build" do
args = %W[
--prefix=#{prefix}
--enable-optimize
--enable-readline
--enable-release
--enable-shared-js
--disable-bootstrap
--disable-debug
--disable-jemalloc
--with-intl-api
--with-system-zlib
]
if OS.mac?
# Force build script to use Xcode install_name_tool
ENV["INSTALL_NAME_TOOL"] = DevelopmentTools.locate("install_name_tool")
else
# System libraries are only supported on Linux and build fails if args are used on macOS.
# Ref: path_to_url
args += %w[--with-system-icu --with-system-nspr]
end
system "../js/src/configure", *args
system "make"
system "make", "install"
end
(lib/"libjs_static.ajs").unlink
# Add an unversioned `js` to be used by dependents like `jsawk` & `plowshare`
ln_s bin/"js#{version.major}", bin/"js"
return unless OS.linux?
# Avoid writing nspr's versioned Cellar path in js*-config
inreplace bin/"js#{version.major}-config",
Formula["nspr"].prefix.realpath,
Formula["nspr"].opt_prefix
end
test do
path = testpath/"test.js"
path.write "print('hello');"
assert_equal "hello", shell_output("#{bin}/js#{version.major} #{path}").strip
assert_equal "hello", shell_output("#{bin}/js #{path}").strip
end
end
``` |
Aynsley Alan William Pears (born 23 April 1998) is an English professional footballer who plays as a goalkeeper for club Blackburn Rovers.
Early life
Pears is the son of former Middlesbrough goalkeeper Stephen Pears.
Club career
Middlesbrough
On 17 January 2018, Pears was loaned out to Darlington, first for one month, then again for the remainder of the season. He would make a total of 16 appearances for the National League North side, keeping 5 clean sheets in his first 9 games.
On 27 July 2018, Pears joined Gateshead on a season-long loan. He would go on to make a total of 45 appearances, keeping 12 clean sheets and netting the club's Player's Player of the Year award at the season's close.
Following this previous campaign, Pears made his debut for parent club Middlesbrough in a 2–2 draw with Crewe Alexandra in the EFL Cup, which Crewe won 4–2 on penalties. In total, Pears made 25 competitive appearances for Middlesbrough before departing for fellow Championship side Blackburn Rovers.
Blackburn Rovers
On 16 October 2020, Pears joined EFL Championship club Blackburn Rovers for an undisclosed fee, signing a four-year-deal with the Lancashire outfit. It saw Pears end his 13-year association with Middlesbrough, although the move saw Pears link-up with former Boro manager Tony Mowbray and academy teammate Harry Chapman once again.
On 27 October, Pears made his debut for his new side, a game which saw Blackburn record a 4–2 defeat against Championship league leaders Reading.
On 1 October 2023, Pears had to be substituted off having sustained an injury to his foot following a collision with Jamie Vady in Blackburn’s 4–1 defeat at home against Leicester City. He was replaced by debutant Leopold Wahlstedt.
International career
On 24 August 2016, Pears was called up alongside academy teammate Hayden Coulson by the England under-19s national team for their international friendly fixtures against the Netherlands and Belgium.
Pears made his England U19s debut on 1 September in a 1–1 draw against the Netherlands, coming on as a substitute for Will Mannion in the 46th minute. His final appearance for the U19s national team came on 10 October in England's 2–1 win against Bulgaria.
On 21 March 2018, Pears was called up by the under-20s for their games against Poland and Portugal after Leeds United youngster Will Huffer was forced to withdraw at the last minute due to an injury. It would be the last time Pears was called up for the England youth setup.
Career statistics
References
External links
1998 births
Living people
Footballers from Durham, England
English men's footballers
England men's youth international footballers
Men's association football goalkeepers
Middlesbrough F.C. players
Darlington F.C. players
Gateshead F.C. players
English Football League players
Blackburn Rovers F.C. players |
Amar Chand Jain is a Bharatiya Janata Party politician from Assam. He has been elected in Assam Legislative Assembly election in 2016 from Katigorah constituency.
References
Living people
Bharatiya Janata Party politicians from Assam
Assam MLAs 2016–2021
People from Cachar district
Year of birth missing (living people) |
```java
module io.context.plugins {
requires io.ballerina.lang;
requires io.ballerina.parser;
requires io.ballerina.tools.api;
exports io.context.plugins;
}
``` |
The Field Elm cultivar Ulmus minor 'Cucullata', the Hooded elm, was listed by Loddiges of Hackney, London, in their catalogue of 1823 as Ulmus campestris cucullata, and later by Loudon in Arboretum et Fruticetum Britannicum (1838), as U. campestris var. cucullata.
Hooded-leaved field elm is not to be confused with U. campestris L. cucullata (= Ulmus montana cucullata Hort), the curled-leaved wych elm cultivar 'Concavaefolia'.
Description
Loudon described Ulmus campestris var. cucullata as having "leaves curiously curved, something like a hood". He thought the tree resembled an undescribed cultivar he called var. concavaefolia. This brief description was dismissed by Elwes and Henry (1913) as "insufficient" for distinguishing concave- and hooded-leaved elms. They ignored Loudon's var. cucullata and expressed the view that his var. concavaefolia was identical to the cultivar 'Webbiana'.
Pests and diseases
See under field elm.
Cultivation
If Loudon's Ulmus campestris var. cucullata was the tree later cultivated as Ulmus montana cucullata Hort, as Petzold and Kirchner believed (Arboretum Muscaviense, 1864), it is now very rare in cultivation. The Späth nursery of Berlin supplied one U. campestris cucullata to the Dominion Arboretum, Ottawa, Canada (planted 1897), three to the Royal Botanic Garden Edinburgh in 1902, and one to the Ryston Hall arboretum, Norfolk (planted 1916). Späth's tree may have been the Arboretum Muscaviense Ulmus campestris var. cucullata, now identified as the wych cultivar 'Concavaefolia', which fits his description of curled grey leaves.
Field elms with 'hooded' convex leaves, however, are not unknown in cultivation, one clone being present in Brighton and Edinburgh (see below). They are not known to have been introduced to Australasia.
Hooded-leaved field elms in the UK
A pruned field elm clone with rather elongated convex ('hooded') leaves, stands in Victoria Park, Portslade, East Sussex.
The same clone is present (2019, girth 2.2 m) in Duncan Place, Leith Links, Edinburgh. A herbarium specimen in the Royal Botanic Garden Edinburgh incorrectly labels this clone U. racemosa. Both an U. racemosa and an U. campestris cucullata were sent by Späth to RBGE in 1902. They are listed separately in Späth's 1903 catalogue, where the former appears as U. racemosa Thomas, a synonym of the American species U. thomasii. The Edinburgh U. racemosa herbarium specimen appears, therefore, to have been mis-labelled. Its likely source-tree was the cucullate field elm clone labelled U racemosa that stood in RBGE in the 20th century, renamed by Melville in 1958 U. carpinifolia × U. plotii [:U. minor × U. minor 'Plotii']. See also [[Ulmus minor 'Concavaefolia'|Ulmus minor 'Concavaefolia]].
Varieties
A variegated form, U. minor 'Cucullata Variegata', was also in cultivation from the late 19th century.
Synonymy
'Cochleata': C. de Vos , Handboek 204. 1887.
Accessions
Europe
Brighton & Hove City Council, UK. NCCPG elm collection. One tree in Victoria Park, Portslade, Hove.
Notes
References
External links
RBGE cultivar misnamed U. racemosa; renamed U. carpinifolia × U. plotii by Melville; 'Cucullata' of Brighton & Edinburgh
RBGE cultivar misnamed U. racemosa; renamed U. carpinifolia × U. plotii'' by Melville; 'Cucullata' of Brighton & Edinburgh
Field elm cultivar
Ulmus articles with images
Ulmus |
Gareth Honor (born in Farnborough, London, England) is an English former professional rugby league footballer who played in the 2000s and 2010s. He played for London Skolars in National League Two.
Gareth Honor's position of choice is as a .
He was with the London Broncos in the Super League.
References
External links
(archived by web.archive.org) London Skolars profile
Statistics at rugbyleagueproject.org
London Broncos profile
1981 births
Living people
Batley Bulldogs players
English rugby league players
Hemel Stags players
London Broncos players
London Skolars players
Sportspeople from Farnborough, London
Rugby articles needing expert attention
Rugby league hookers
Rugby league players from Kent |
```freemarker
# This Source Code Form is subject to the terms of the Mozilla Public
# file, You can obtain one at path_to_url
## Main toolbar buttons (tooltips and alt text for images)
pdfjs-previous-button =
.title =
pdfjs-previous-button-label =
pdfjs-next-button =
.title =
pdfjs-next-button-label =
# .title: Tooltip for the pageNumber input.
pdfjs-page-input =
.title =
# Variables:
# $pagesCount (Number) - the total number of pages in the document
# This string follows an input field with the number of the page currently displayed.
pdfjs-of-pages = { $pagesCount }
# Variables:
# $pageNumber (Number) - the currently visible page
# $pagesCount (Number) - the total number of pages in the document
pdfjs-page-of-pages = ({ $pageNumber } { $pagesCount })
pdfjs-zoom-out-button =
.title =
pdfjs-zoom-out-button-label =
pdfjs-zoom-in-button =
.title =
pdfjs-zoom-in-button-label =
pdfjs-zoom-select =
.title =
pdfjs-presentation-mode-button =
.title =
pdfjs-presentation-mode-button-label =
pdfjs-open-file-button =
.title =
pdfjs-open-file-button-label =
pdfjs-print-button =
.title =
pdfjs-print-button-label =
pdfjs-save-button =
.title =
pdfjs-save-button-label =
# Used in Firefox for Android as a tooltip for the download button (download is a verb).
pdfjs-download-button =
.title =
# Used in Firefox for Android as a label for the download button (download is a verb).
# Length of the translation matters since we are in a mobile context, with limited screen estate.
pdfjs-download-button-label =
pdfjs-bookmark-button =
.title = ( URL- )
pdfjs-bookmark-button-label =
## Secondary toolbar and context menu
pdfjs-tools-button =
.title =
pdfjs-tools-button-label =
pdfjs-first-page-button =
.title =
pdfjs-first-page-button-label =
pdfjs-last-page-button =
.title =
pdfjs-last-page-button-label =
pdfjs-page-rotate-cw-button =
.title =
pdfjs-page-rotate-cw-button-label =
pdfjs-page-rotate-ccw-button =
.title =
pdfjs-page-rotate-ccw-button-label =
pdfjs-cursor-text-select-tool-button =
.title =
pdfjs-cursor-text-select-tool-button-label =
pdfjs-cursor-hand-tool-button =
.title = ""
pdfjs-cursor-hand-tool-button-label = ""
pdfjs-scroll-page-button =
.title =
pdfjs-scroll-page-button-label =
pdfjs-scroll-vertical-button =
.title =
pdfjs-scroll-vertical-button-label =
pdfjs-scroll-horizontal-button =
.title =
pdfjs-scroll-horizontal-button-label =
pdfjs-scroll-wrapped-button =
.title =
pdfjs-scroll-wrapped-button-label =
pdfjs-spread-none-button =
.title =
pdfjs-spread-none-button-label =
pdfjs-spread-odd-button =
.title =
pdfjs-spread-odd-button-label =
pdfjs-spread-even-button =
.title =
pdfjs-spread-even-button-label =
## Document properties dialog
pdfjs-document-properties-button =
.title =
pdfjs-document-properties-button-label =
pdfjs-document-properties-file-name = :
pdfjs-document-properties-file-size = :
# Variables:
# $size_kb (Number) - the PDF file size in kilobytes
# $size_b (Number) - the PDF file size in bytes
pdfjs-document-properties-kb = { $size_kb } ({ $size_b } )
# Variables:
# $size_mb (Number) - the PDF file size in megabytes
# $size_b (Number) - the PDF file size in bytes
pdfjs-document-properties-mb = { $size_mb } ({ $size_b } )
pdfjs-document-properties-title = :
pdfjs-document-properties-author = :
pdfjs-document-properties-subject = :
pdfjs-document-properties-keywords = :
pdfjs-document-properties-creation-date = :
pdfjs-document-properties-modification-date = :
# Variables:
# $date (Date) - the creation/modification date of the PDF file
# $time (Time) - the creation/modification time of the PDF file
pdfjs-document-properties-date-string = { $date }, { $time }
pdfjs-document-properties-creator = :
pdfjs-document-properties-producer = PDF:
pdfjs-document-properties-version = PDF:
pdfjs-document-properties-page-count = :
pdfjs-document-properties-page-size = :
pdfjs-document-properties-page-size-unit-inches =
pdfjs-document-properties-page-size-unit-millimeters =
pdfjs-document-properties-page-size-orientation-portrait =
pdfjs-document-properties-page-size-orientation-landscape =
pdfjs-document-properties-page-size-name-a-three = A3
pdfjs-document-properties-page-size-name-a-four = A4
pdfjs-document-properties-page-size-name-letter = Letter
pdfjs-document-properties-page-size-name-legal = Legal
## Variables:
## $width (Number) - the width of the (current) page
## $height (Number) - the height of the (current) page
## $unit (String) - the unit of measurement of the (current) page
## $name (String) - the name of the (current) page
## $orientation (String) - the orientation of the (current) page
pdfjs-document-properties-page-size-dimension-string = { $width } { $height } { $unit } ({ $orientation })
pdfjs-document-properties-page-size-dimension-name-string = { $width } { $height } { $unit } ({ $name }, { $orientation })
##
# The linearization status of the document; usually called "Fast Web View" in
# English locales of Adobe software.
pdfjs-document-properties-linearized = :
pdfjs-document-properties-linearized-yes =
pdfjs-document-properties-linearized-no =
pdfjs-document-properties-close-button =
## Print
pdfjs-print-progress-message =
# Variables:
# $progress (Number) - percent value
pdfjs-print-progress-percent = { $progress }%
pdfjs-print-progress-close-button =
pdfjs-printing-not-supported = : .
pdfjs-printing-not-ready = : PDF .
## Tooltips and alt text for side panel toolbar buttons
pdfjs-toggle-sidebar-button =
.title =
pdfjs-toggle-sidebar-notification-button =
.title = ( //)
pdfjs-toggle-sidebar-button-label =
pdfjs-document-outline-button =
.title = ( / )
pdfjs-document-outline-button-label =
pdfjs-attachments-button =
.title =
pdfjs-attachments-button-label =
pdfjs-layers-button =
.title = ( , )
pdfjs-layers-button-label =
pdfjs-thumbs-button =
.title =
pdfjs-thumbs-button-label =
pdfjs-current-outline-item-button =
.title =
pdfjs-current-outline-item-button-label =
pdfjs-findbar-button =
.title =
pdfjs-findbar-button-label =
pdfjs-additional-layers =
## Thumbnails panel item (tooltip and alt text for images)
# Variables:
# $page (Number) - the page number
pdfjs-thumb-page-title =
.title = { $page }
# Variables:
# $page (Number) - the page number
pdfjs-thumb-page-canvas =
.aria-label = { $page }
## Find panel button title and messages
pdfjs-find-input =
.title =
.placeholder =
pdfjs-find-previous-button =
.title =
pdfjs-find-previous-button-label =
pdfjs-find-next-button =
.title =
pdfjs-find-next-button-label =
pdfjs-find-highlight-checkbox =
pdfjs-find-match-case-checkbox-label =
pdfjs-find-match-diacritics-checkbox-label =
pdfjs-find-entire-word-checkbox-label =
pdfjs-find-reached-top = ,
pdfjs-find-reached-bottom = ,
# Variables:
# $current (Number) - the index of the currently active find result
# $total (Number) - the total number of matches in the document
pdfjs-find-match-count =
{ $total ->
[one] { $current } { $total }
[few] { $current } { $total }
*[many] { $current } { $total }
}
# Variables:
# $limit (Number) - the maximum number of matches
pdfjs-find-match-count-limit =
{ $limit ->
[one] { $limit }
[few] { $limit }
*[many] { $limit }
}
pdfjs-find-not-found =
## Predefined zoom values
pdfjs-page-scale-width =
pdfjs-page-scale-fit =
pdfjs-page-scale-auto =
pdfjs-page-scale-actual =
# Variables:
# $scale (Number) - percent value for page scale
pdfjs-page-scale-percent = { $scale }%
## PDF page
# Variables:
# $page (Number) - the page number
pdfjs-page-landmark =
.aria-label = { $page }
## Loading indicator messages
pdfjs-loading-error = PDF .
pdfjs-invalid-file-error = PDF-.
pdfjs-missing-file-error = PDF-.
pdfjs-unexpected-response-error = .
pdfjs-rendering-error = .
## Annotations
# Variables:
# $date (Date) - the modification date of the annotation
# $time (Time) - the modification time of the annotation
pdfjs-annotation-date-string = { $date }, { $time }
# .alt: This is used as a tooltip.
# Variables:
# $type (String) - an annotation type from a list defined in the PDF spec
# (32000-1:2008 Table 169 Annotation types).
# Some common types are e.g.: "Check", "Text", "Comment", "Note"
pdfjs-text-annotation-type =
.alt = [{ $type }-]
## Password
pdfjs-password-label = PDF-.
pdfjs-password-invalid = . .
pdfjs-password-ok-button = OK
pdfjs-password-cancel-button =
pdfjs-web-fonts-disabled = - : PDF .
## Editing
pdfjs-editor-free-text-button =
.title =
pdfjs-editor-free-text-button-label =
pdfjs-editor-ink-button =
.title =
pdfjs-editor-ink-button-label =
pdfjs-editor-stamp-button =
.title =
pdfjs-editor-stamp-button-label =
pdfjs-editor-highlight-button =
.title =
pdfjs-editor-highlight-button-label =
pdfjs-highlight-floating-button =
.title =
pdfjs-highlight-floating-button1 =
.title =
.aria-label =
pdfjs-highlight-floating-button-label =
## Remove button for the various kind of editor.
pdfjs-editor-remove-ink-button =
.title =
pdfjs-editor-remove-freetext-button =
.title =
pdfjs-editor-remove-stamp-button =
.title =
pdfjs-editor-remove-highlight-button =
.title =
##
# Editor Parameters
pdfjs-editor-free-text-color-input =
pdfjs-editor-free-text-size-input =
pdfjs-editor-ink-color-input =
pdfjs-editor-ink-thickness-input =
pdfjs-editor-ink-opacity-input =
pdfjs-editor-stamp-add-image-button =
.title =
pdfjs-editor-stamp-add-image-button-label =
# This refers to the thickness of the line used for free highlighting (not bound to text)
pdfjs-editor-free-highlight-thickness-input =
pdfjs-editor-free-highlight-thickness-title =
.title = ,
pdfjs-free-text =
.aria-label =
pdfjs-free-text-default-content =
pdfjs-ink =
.aria-label =
pdfjs-ink-canvas =
.aria-label = ,
## Alt-text dialog
# Alternative text (alt text) helps when people can't see the image.
pdfjs-editor-alt-text-button-label =
pdfjs-editor-alt-text-edit-button-label =
pdfjs-editor-alt-text-dialog-label =
pdfjs-editor-alt-text-dialog-description = , .
pdfjs-editor-alt-text-add-description-label =
pdfjs-editor-alt-text-add-description-description = 1-2 , , .
pdfjs-editor-alt-text-mark-decorative-label =
pdfjs-editor-alt-text-mark-decorative-description = , .
pdfjs-editor-alt-text-cancel-button =
pdfjs-editor-alt-text-save-button =
pdfjs-editor-alt-text-decorative-tooltip =
# .placeholder: This is a placeholder for the alt text input area
pdfjs-editor-alt-text-textarea =
.placeholder = ,
## Editor resizers
## This is used in an aria label to help to understand the role of the resizer.
pdfjs-editor-resizer-label-top-left =
pdfjs-editor-resizer-label-top-middle =
pdfjs-editor-resizer-label-top-right =
pdfjs-editor-resizer-label-middle-right =
pdfjs-editor-resizer-label-bottom-right =
pdfjs-editor-resizer-label-bottom-middle =
pdfjs-editor-resizer-label-bottom-left =
pdfjs-editor-resizer-label-middle-left =
## Color picker
# This means "Color used to highlight text"
pdfjs-editor-highlight-colorpicker-label =
pdfjs-editor-colorpicker-button =
.title =
pdfjs-editor-colorpicker-dropdown =
.aria-label =
pdfjs-editor-colorpicker-yellow =
.title =
pdfjs-editor-colorpicker-green =
.title =
pdfjs-editor-colorpicker-blue =
.title =
pdfjs-editor-colorpicker-pink =
.title =
pdfjs-editor-colorpicker-red =
.title =
## Show all highlights
## This is a toggle button to show/hide all the highlights.
pdfjs-editor-highlight-show-all-button-label =
pdfjs-editor-highlight-show-all-button =
.title =
``` |
Direction of the Heart (stylized as "DIRECTION > of > the > HEART") is the nineteenth studio album by Scottish rock band Simple Minds, released on 21 October 2022 by BMG.
Background
On 24 October 2020, Simple Minds finished the recording of a new studio album in Germany.
On 14 June 2022, Simple Minds announced the forthcoming release on 21 October 2022 of their new studio album entitled Direction of the Heart via BMG. Most of the new album's tracks were written, created and demoed in Sicily (where both Jim Kerr and guitarist Charlie Burchill live). Unable to come to the UK because of COVID-19 quarantine rules, Simple Minds recorded the album at Hamburg's Chameleon Studios. According to the album liner notes, Direction of the Heart features fewer musicians than any previous Simple Minds album, with Burchill performing guitars, most keyboards, and most bass guitars, as well as programming much of the drumming.
Speaking of the new album, Kerr stated:
Album's name
The album takes its name not from a track from its standard edition (as it is most commonly the case) but from "Direction of the Heart (Taormina 2022)", the first bonus track from its digital and deluxe editions, which is the new re-recorded 2022 version of the original track which had already been released on 4 January 2018 (and physically on 2 February 2018) as the B-side of the "Magic" 7" vinyl single, the lead single from Walk Between Worlds, the band's previous studio album.
Songs
Sources
The album's opening track "Vision Thing" was released for free on 14 June 2022 on YouTube as the album's lead single
"First You Jump" was co-written by bassist Ged Grimes
"Human Traffic" features a guest appearance from Sparks' frontman Russell Mael (this might be a reworking of the song "Human Trafficking" written in Hamburg during Summer 2009, first mentioned by Jim Kerr in February 2010, "not to be finished quite yet" as Jim Kerr stated on 25 November 2010)
"Solstice Kiss" is a song first written (by Grimes) during the Big Music sessions and mentioned several times during the recordings; re-recorded at the Sphere Recording Studio during the Walk Between Worlds sessions, it was (then) announced as a future contender for the next Simple Minds album
"Act of Love" is a reimagining of one of the earliest songs written in 1978 by Kerr and Burchill, coinciding with the group's first performance at Glasgow's Satellite City in January 1978. Simple Minds had already shared this track for free in January 2022.
"Planet Zero" (lyrics by Kerr, music by Burchill) was described by Kerr as "an insanely catchy and thundering 'space-rock' track with music written by Burchill and featuring arguably one of his best ever guitar melodies", a song "that conjures up Prince set to the background of Hawkwind" and "sounds like pure Simple Minds, albeit remade and remodelled"; original recording started in late August 2011 during the Greatest Hits + Europe Tour and completed in London at the start of September 2011 with Steve Hillage producing
"The Walls Came Down" is a cover of the Call's 1983 single
A previous version of "Direction of the Heart" had already been released on 4 January 2018 (and physically on 2 February 2018) as the B-side of the "Magic" 7" vinyl single
Singles
On 14 June 2022, Simple Minds released for free on YouTube the lead single "Vision Thing". On 9 July 2022, Simple Minds released on YouTube a lyric video for "Vision Thing".
On 2 September 2022, it was announced that the world premiere of the new Simple Minds single "First You Jump" would occur on 5 September 2022.
On 7 December 2022, Simple Minds announced the forthcoming release on 9 December 2022 of "Traffic", the JG Ballard-inspired new single featuring Russell Mael of Sparks. This is a new edit of the track "Human Traffic" accompanied by a brand new acoustic version.
Jim Kerr stated about the song:
On 22 June 2023, it was announced the forthcoming release on 6 October 2023 of "Solstice Kiss", the fourth and final single taken from the album.
Reception
Direction of the Heart received generally positive reviews from critics. On the review aggregation website Metacritic, the album has a weighted average score of 75 out of 100 based on 6 reviews, indicating "generally favourable reviews".
On 28 October 2022, one week after its release, Direction of the Heart reached #4 in the UK Albums charts, #3 in the Scottish Albums charts and #2 (its highest peak so far) in the UK Independent Albums charts.
Track listing
Personnel
Simple Minds
Jim Kerr – vocals, backing vocals
Charlie Burchill – guitars, keyboards (all tracks); programming (1–4, 6–11), bass guitar (1, 4, 7–10)
Ged Grimes – bass guitar (2, 5, 11); keyboards, programming (2); drum programming, gong, synthesizer (5)
Cherisse Osei – drums (1, 7, 9)
Sarah Brown – backing vocals (4, 5, 7, 8, 10)
Additional musicians
Andy Wright – programming (all tracks), backing vocals (1–10)
Gavin Goldberg – programming (all tracks), backing vocals (2)
Gary Clark – backing vocals (1, 2, 7)
Kathleen MacInnes – backing vocals (2)
Russell Mael – vocals (3)
Andrew Gillespie – synthesizer (5)
Technical
Simple Minds – production (all tracks), engineering (1–5, 7–11)
Andy Wright – additional production
Gavin Goldberg – additional production (all tracks), engineering (1–5, 7–11)
Jean-Pierre Chalbos – mastering
Alan Moulder – mixing
Caesar Edmunds – mix engineering (1–5, 7–11)
Tom Herbert – mix engineering (1–9)
Eike Freese – engineering
Kevin Burleigh – engineering (2)
Artwork
Anthony Lamb – cover illustration
Christie Goodwin – photography
Thorsten Samesch – photography
Charts
Weekly charts
Year-end charts
References
2022 albums
Simple Minds albums |
Brachypalpus cyanogaster, the Bluebottle Catkin, is a rare species of syrphid fly first officially described by Loew in 1872 Hoverflies get their names from the ability to remain nearly motionless while in flight The adults are also known as flower flies for they are commonly found around and on flowers from which they get both energy-giving nectar and protein rich pollen. The larvae are of the rat-tailed type feeding on decaying sap under tree bark.
Distribution
Canada, United States.
References
Milesiini
Insects described in 1872
Diptera of North America
Hoverflies of North America
Taxa named by Hermann Loew |
Georges Rolland (23 January 1852 – 25 July 1910) was a French geologist and industrialist, a member of the Corps des mines, who worked in Algeria in the 1880s.
He made important discoveries about the underground hydrology of the Sahara.
He was a leading advocate of a trans-Sahara railway to link French colonial possessions in West Africa.
After returning to France he explored the geology of the Briey iron ore basin in Lorraine.
He married the heiress of a Lorraine steelworks, and became president of the Société métallurgique de Gorcy and the Aciéries de Longwy, and director of various other enterprises.
Early years
Georges Rolland was born in Paris on 23 January 1852.
His parents were Gustave Rolland (1809–71) and Bernardine Marie Léonie Dauss.
His father was a former officer of the Engineers who became a Deputy.
His uncle was the inventor Eugène Rolland (1812–85).
At a very young age he was accepted by the École Navale and the École Polytechnique, and chose the École Polytechnique.
Rolland studied at the École Polytechnique from 1871 to 1874, graduating fourth out of 93.
He went on to the École des Mines de Paris, where he studied from 1874 to 1877 and graduated in second place.
Rolland became an engineer in the Corps des mines in 1877, attached to the office of Charles de Freycinet, Minister of Public Works.
In 1877 he took part in the steam engines section of the Exposition Universelle.
Saharan explorations
The Trans-Saharan expedition was appointed in 1879 by Freycinet to investigate construction of a railway across the Sahara.
Three possible routes starting from Oran in the west, Algiers in the center and Constantine in the east were to be examined by three expeditions.
The western expedition was led by the engineer Justin Pouyanne; the central one was led by the engineer Auguste Choisy and included Georges Rolland, and the eastern one was led by Colonel Paul Flatters.
The first two undertook their work without difficulty.
The Flatters expedition was turned back by hostile Tuaregs before reaching Rhat.
Flatters began a second expedition in November 1880.
This ended in disaster, with Flatters and most of the others killed by the Tuaregs, and caused plans for a railway to be abandoned.
Rolland remained in the region, where he paid particular attention to the hydrography, including the underground waters, which could be used to irrigate arid land.
With the help of a number of leading men, in 1881 he founded the Société agricole du Sud-Algérien (later the Société agricole et industrielle de Batna et du Sud-Algérien), with the aim of developing agriculture in the south of Algeria.
At that time the railway extended only to Batna. Horse-drawn carriages went as far as Biskra, and from there travellers had to go on horseback.
He established a colony in the Sahara of Constantine and introduced an irrigation system in the desert regions of Oued Righ between Biskra and Touggourt.
The oasis of the Oued Righ became the site of a large date palm plantation.
In 1884 a geological section under Rolland was added to the Tunisian Scientific Exploration Mission.
The Mission Scientifique de Tunisie (1885–87) was led by the botanist Ernest Cosson (1819–89).
Rolland was assisted by Philippe Thomas from 1885 and Georges Le Mesle in 1887.
Rolland covered the centre of the country, while Thomas worked further south and Le Mesle worked mainly in the north, apart from an expedition to the extreme south.
The team gave good descriptions of the Jurassic of the Zaghouan region and the Eocene of the Maktar and Kairouan regions.
As early as 1885, Rolland emphasized the regional importance of the great fault of Zaghouan.
In 1902 he was asked by the Ministry of Education to write all the results of the Tunisian Scientific Exploration Mission, but he had to refuse for health reasons.
Trans-Sahara railway
Rolland remained interested in the idea of a railway, and in 1889 gave a lecture at the Geographical Society of Paris in which he described the scheme.
The idea was also advocated by the retired General Charles Philebert, who had been involved in the conquest of Algeria as a young man.
In 1890 Philebert and Rolland co-authored an influential pamphlet urging an immediate start to the railway project. The Minister of War appointed a committee on the question in April 1890, which stated that the railway would be feasible and profitable, as well as necessary from a military standpoint.
In 1890 Rolland published a coloured map entitled "French Africa, what it is, what it must be."
The purpose was to show that a railroad across the Sahara from Algeria to the Sudan had great strategic value.
The map showed darker-shaded areas of French possessions, protectorates and zones of influence, and lighter shaded "regions that must be considered as entering into our sphere of influence".
The railway would consolidate France's territorial claims by linking the areas.
Rolland and other promoters tried to form a chartered company to build the railway, but could not get the Algerian departments to agree which would have the terminus.
The planned company did not materialize, although a law was passed that authorized a railway from Biskra, to the south of Constantine, to Ouargla.
The Trans-Sahara railway was never built.
Briey basin
In July 1893 Rolland was appointed a chief engineer of the Corps des mines.
He was attached to the geological mapping service.
He made a thorough study of Lorraine geology, particularly the Briey iron basin, where he played an important role in discovering its mineral wealth.
Corporate positions
Rolland married the daughter of Alfred Labbé (died 1891), son of Jean-Joseph Labbé (1801–94), founder of the Forges de Gorcy.
Jean-Joseph Labbé was also co-founder of the Aciéries de Longwy.
Rolland joined the Société métallurgique de Gorcy in 1893 as a director.
He became managing director of this company in 1894.
He was the first engineer of the Corps des mines to hold such a position.
Rolland became director (1891), vice-president (1896), then president (1901) of the Aciéries de Longwy at Mont-Saint-Martin, Meurthe-et-Moselle.
(The company was run by the salaried managing director, Alexandre Dreux, a self-made man.)
Rolland was also a director of the Mines de Marles, Soudières Marcheville-Daguin et Cie, Mines de Moutiers, Mines de Valleroy, Comptoir métallurgique de Longwy and Comptoir d'exportation des Fontes de Meurthe-et-Moselle.
He was president of the Société des tramways de Longwy.
He was a member, then president, of the council of Briey, but was forced to resign in 1900 for health reasons.
In 1903 he became a member of the board of the Comité des forges.
Georges Rolland suffered from a lingering disease in his later years that increasingly restricted his activity and would eventually cause his death.
He died near Gorcy, Meurthe-et-Moselle, on 25 July 1910, aged 58.
Awards
Georges Rolland was given the title of Knight of the Legion of Honour at the age of 32 for his work in the Sahara.
He was appointed an officer of Public Instruction, an officer of Agricultural Merit and Commander of Nicham.
In December 1897 he was elected an honorary member of the Société nationale d'agriculture, in the mechanical agriculture and irrigation section.
In 1898 he was awarded the rosette of Office of the Legion of Honour.
His detailed geological map of the Briey deposits was exhibited at the Exposition Universelle (1900) and won a Grand Prix.
Shortly before his death the French Academy of Sciences awarded him its gold medal for his contribution to the discover of the Briey Basin.
Publications
Notes
Sources
1852 births
1910 deaths |
```c++
// Aseprite Document Library
//
// This file is released under the terms of the MIT license.
// Read LICENSE.txt for more information.
#ifdef HAVE_CONFIG_H
#include "config.h"
#endif
#include "doc/document.h"
#include "base/path.h"
#include "doc/context.h"
#include "doc/sprite.h"
namespace doc {
Document::Document()
: Object(ObjectType::Document)
, m_sprites(this)
, m_ctx(NULL)
{
}
Document::~Document()
{
removeFromContext();
}
void Document::setContext(Context* ctx)
{
if (ctx == m_ctx)
return;
removeFromContext();
m_ctx = ctx;
if (ctx)
ctx->documents().add(this);
onContextChanged();
}
int Document::width() const
{
return sprite()->width();
}
int Document::height() const
{
return sprite()->height();
}
ColorMode Document::colorMode() const
{
return (ColorMode)sprite()->pixelFormat();
}
std::string Document::name() const
{
return base::get_file_name(m_filename);
}
void Document::setFilename(const std::string& filename)
{
// Normalize the path (if the filename has a path)
if (!base::get_file_path(filename).empty())
m_filename = base::normalize_path(filename);
else
m_filename = filename;
notifyObservers(&DocumentObserver::onFileNameChanged, this);
}
void Document::close()
{
removeFromContext();
}
void Document::onContextChanged()
{
// Do nothing
}
void Document::removeFromContext()
{
if (m_ctx) {
m_ctx->documents().remove(this);
m_ctx = NULL;
onContextChanged();
}
}
} // namespace doc
``` |
Knock on Wood is a 1954 American comedy film starring Danny Kaye and Mai Zetterling. Other actors in the film include Torin Thatcher, David Burns, and Leon Askin. The film was written and directed by Melvin Frank and Norman Panama, with songs by Kaye's wife, Sylvia Fine.
Plot
Jerry Morgan (Kaye) is a ventriloquist who is having trouble with love: just when his relationship with a woman gets around to marriage, his dummy turns jealous and spoils everything. Jerry's manager Marty threatens to quit unless Jerry sees a psychiatrist, Ilse Nordstrom (Zetterling), who tries to discover the source of his problem. The two of them eventually fall in love.
At the same time, Jerry becomes unwittingly intertwined with spies and has to run from the police. In his escape, he finds himself impersonating a British car salesman, trying to demonstrate a new convertible with loads of bells and whistles. Later on, he finds himself on stage in the middle of the performance of an exotic ballet.
Cast
Production notes
The film features dialogue with linguistic play (particularly the names of the dummies "Clarence" and "Terrence" and the Slavic names of the spies) which would also be a feature of Kaye's later film The Court Jester (likewise written and directed by Frank and Panama).
The title song "Knock on Wood" should not be confused with "Everybody Thinks I'm Crazy" from the 1941 cartoon entitled Woody Woodpecker, starring the character of the same name; or the song "Knock on Wood" from the 1942 film, Casablanca (with music by M.K. Jerome and lyrics by Jack Scholl). Kaye performed renditions of both the title song from Knock on Wood and "The Woody Woodpecker Song," which are found on the album The Best of Danny Kaye [Spectrum, 2000].
DVD release
Knock on Wood was issued as a region 2 DVD in March 2009.
References
External links
1954 films
American spy comedy films
Cold War spy films
1950s English-language films
Films about psychiatry
Films directed by Norman Panama
Films directed by Melvin Frank
Paramount Pictures films
1950s spy comedy films
Ventriloquism
Films shot in Los Angeles
1950s psychological films
Films set in Paris
Films set in London
1954 comedy films
1950s American films
English-language spy comedy films |
Alvania datchaensis is a species of minute sea snail, a marine gastropod mollusk or micromollusk in the family Rissoidae.
Description
Distribution
The holotype of this marine species was found off Turkey.
References
Amati B. & Oliverio M. (1987). Alvania datchaensis sp. n. (Gastropoda). Notiziario del C.I.S.MA. 9 (10): 46-53
External links
Bitlis B. & Öztürk B. (2017). The genus Alvania (Gastropoda: Rissoidae) along the Turkish Aegean coast with the description of a new species. Scientia Marina. 81(3): 395-411.
Rissoidae
Gastropods described in 1987 |
Faruk Namdar (born 6 May 1974 in West Berlin, West Germany) is a former professional Turkish footballer.
Namdar made 104 appearances in the Turkish Süper Lig and 12 appearances in the German 2. Bundesliga during his playing career.
References
External links
Faruk Namdar at the Turkish Football Federation
1974 births
Living people
Footballers from Berlin
Turkish men's footballers
Süper Lig players
2. Bundesliga players
Men's association football midfielders
Men's association football forwards
Füchse Berlin Reinickendorf players
Tennis Borussia Berlin players
Hannover 96 players
Altay S.K. footballers
MKE Ankaragücü footballers
Karşıyaka S.K. footballers
Mardinspor footballers
SV Yeşilyurt players
Turkish expatriate men's footballers
Expatriate men's footballers in Germany |
Black Brook is a tributary of the Whippany River that flows near Morristown Regional Airport in Morristown, Morris County, New Jersey, in the United States.
See also
List of rivers of New Jersey
References
Rivers of Morris County, New Jersey
Tributaries of the Passaic River
Rivers of New Jersey |
Wan Tau Tong () is one of the 19 constituencies in the Tai Po District of Hong Kong.
The constituency returns one district councillor to the Tai Po District Council, with an election every four years.
Wan Tau Tong constituency has an estimated population of 17,657.
Councillors represented
Election results
2010s
References
Tai Po
Constituencies of Hong Kong
Constituencies of Tai Po District Council
1994 establishments in Hong Kong
Constituencies established in 1994 |
Crocus vallicola is a species of flowering plant in the genus Crocus of the family Iridaceae. It is a cormous perennial native to north eastern Turkey to the western Caucasus.
References
vallicola |
Cyprus participated at the 2018 Summer Youth Olympics in Buenos Aires, Argentina from 6 October to 18 October 2018.
Athletics
Boys
Field events
Dancesport
Cyprus qualified one dancer based on its performance at the 2018 World Youth Breaking Championship.
Gymnastics
Rhythmic
Cyprus qualified one rhythmic gymnast based on its performance at the European qualification event.
Multidiscipline
Judo
Individual
Team
Swimming
Girls
*Alexandra Schegoleva's heat time was tied with 2 other swimmers in 16th place, which led to a swim-off for the last qualification spot. She finished third, therefore 18th overall.
References
2018 in Cypriot sport
Nations at the 2018 Summer Youth Olympics
Cyprus at the Youth Olympics |
José Augusto Loureiro Júnior (born 30 September 1969) is a Brazilian rower. He competed in the men's coxed four event at the 1992 Summer Olympics.
References
1969 births
Living people
Brazilian male rowers
Olympic rowers for Brazil
Rowers at the 1992 Summer Olympics
Place of birth missing (living people) |
Jeffrey Maxwell DeGrandis (born December 1, 1957) is an American animator, director, and producer. Currently he's Executive Producer at Warner Bros Animation on "Dorothy and the Wizard of Oz." Jeff has served as Supervising Producer on Dora the Explorer, Go, Diego, Go!, and Ni Hao, Kai-Lan. He recently produced, directed, voice directed and created The Finster Finster Show! short for Random! Cartoons and voiced Chicken #1. He's had 5 Emmy Nominations, Peabody Award, and won 2 Imagine Awards.
Born and raised in Colts Neck, New Jersey, DeGrandis studied animation at the California Institute of the Arts. Prior to entering CalArts, he graduated from Christian Brothers Academy and Monmouth University. DeGrandis got his first big break working on Chuck Jones' segment on the 1992 movie Stay Tuned, and his first television animation work was on The Ren and Stimpy Show.
His other credits include God, the Devil and Bob (supervising producer & director), Toonsylvania (producer), The Shnookums and Meat Funny Cartoon Show (co-producer with Bill Kopp and director), Mad Jack the Pirate (director), Capertown Cops (director), Dexter's Laboratory (storyboard artist), Timon and Pumbaa (director), Mighty Ducks (timing director), Animaniacs (director), and The Patrick Star Show (director; credited as storyboard supervisor).
DeGrandis also wrote, produced, storyboard designed and directed the 2001 animated direct to video film Timber Wolf.
In addition to his animation work, DeGrandis is also noted for his drawings of drag racing cars, which emulate the style of one of DeGrandis' early influences, Ed "Big Daddy" Roth. He has also been an active drag racer as well.
The Finster Finster Show!: Store Wars
The Finster Finster Show! was created by DeGrandis when he was a student at CalArts in 1982. He developed a short film based on the concept and even recorded the voices himself in 1983. While working as an executive producer to several Nickelodeon / Nick Jr. Channel productions, he pitched the idea to Nickelodeon and Frederator Studios for the "fourth season of Oh Yeah! Cartoons". They gave him the greenlight, he did the storyboards and scripts and the voice recording was done exactly 23 years after the 1983 voice recording of the short film. The short aired in Random! Cartoons in 2008.
References
External links
1957 births
Living people
People from Colts Neck Township, New Jersey
Animators from New Jersey
California Institute of the Arts alumni
Christian Brothers Academy (New Jersey) alumni
Monmouth University alumni
American male voice actors
American voice directors
American animated film directors
American animated film producers
American television directors
Film producers from New Jersey
American storyboard artists
American male screenwriters
Film directors from New Jersey
Screenwriters from New Jersey
Television producers from New Jersey |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.